From stuart at lexacorp.com.pg Mon Oct 1 01:50:15 2007 From: stuart at lexacorp.com.pg (Stuart McLachlan) Date: Mon, 01 Oct 2007 16:50:15 +1000 Subject: [AccessD] Totals on a crosstab query In-Reply-To: <29f585dd0709300708i192982d9v426188a44db3fdb3@mail.gmail.com> References: <29f585dd0709300708i192982d9v426188a44db3fdb3@mail.gmail.com> Message-ID: <470098A7.32029.8B72F886@stuart.lexacorp.com.pg> On 30 Sep 2007 at 10:08, Arthur Fuller wrote: > The xtab in question lists horses on the rows and lesson types on the > columns (i.e. private, semi-private, group), then populates the columns with > counts for the number of lessons per horse per lesson type. No problem so > far. But the specs call for vertical totals of the columns, and I cannot > figure out how to do them with the xtab wizard. What I need is a sum of > each of the columns to be presented as the bottom row (i.e sum of private, > semi-private and group columns, including all horses). > > Any suggestions gratefully accepted. In a pure query, you would need to use a UNION of the crosstab with a second "SELECT DISTINCT...SUM(...).......GROUP BY...." query. If you base a report on the query, you can have a Footer section where you can do the totalling. From Gustav at cactus.dk Mon Oct 1 03:25:30 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:25:30 +0200 Subject: [AccessD] A2K - Locking Problem Message-ID: Hi Robert and Reuben But wasn't that patch (from April, 2005) included in Win2003 SP2? Service pack information To resolve this problem, obtain the latest service pack for Windows Server 2003. .. If so, Reuben, this means that the notwork guys didn't update the server. And if so, what do they think SPs are for? /gustav >>> robert at servicexp.com 28-09-2007 23:55 >>> Reuben, I struggled for a looooooong time with what sounds like the same error. I just happened across a MS KB about the problem. Had my users install the patches and problem solved. http://support.microsoft.com/kb/895751 If you need the patch's (Win 2003 & XP) I believe I still have them.. WBR Robert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings Sent: Friday, September 28, 2007 9:54 AM To: AccessD Subject: [AccessD] A2K - Locking Problem I have a client that is receiving messages stating "The Microsoft Jet Database engine stopped the process because you..." Basically trying to say that the record has been edited by someone else. This has happened several times lately. There is always a .ldb hangin around after closing the app (by all users - there are 4 users). This is occurring even if only one person is using the app. And even then the ldb is still not deleted. Any ideas? Reuben Cummings GFC, LLC 812.523.1017 From Gustav at cactus.dk Mon Oct 1 03:56:53 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:56:53 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... From max.wanadoo at gmail.com Mon Oct 1 03:58:40 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 09:58:40 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: <001801c80367$d1ceb980$6501a8c0@nant> Message-ID: <000c01c80409$441b0f60$8119fea9@LTVM> Hi Shamil, Personnally, I think that you have probably achieved the fast time possible. Although I don't think you have replicated my VBA code exactly, also I don't know why your Dell runs faster than mine? I have posted the code here: http://www.peoplelinks.co.uk/msaccess/downloads/CamelCase.zip With some comments at the top of the code section with regard to my system setup. Interesting exercise though. No doubt there will be others out there who can improve on the VBA Code. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 2:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max, I have programmed some more string jamming strategies, code is below. It's interesting to note that the most obvious programming (StringJammer4), which assumes that only alphabetic chars should be left and all the other should be stripped out, is running as quick as the most generic one (StringJammer3), which can use whatever set will be defined as the set of the chars to be left in the result string. It's also interesting to note that when millions iterations are "at stake" then very subtle code differences can result in clearly visible/countable time execution gains, e.g. checking that a char is in uppercase and NOT calling ToUpper function works about 1 second faster on one million iterations than the code, which just always calls ToUpper function. I expect that the most generic solution (StringJammer3) can be made even faster without going to C++ or Assmebler if somehow implement it using inline coding instead of delegate function calls - of course this generic solution has to be considerably refactored to achieve this goal: the gain I'd expect could be about 2 sec for one million iterations (it's about 4 sec now). From practical point of view this gain looks very small(?) to take into account but such kind of "manual coding optimization exercises" are rather valuable to polish programming skills. Your VBA code runs here 3 min 24 seconds under MS Access VBA IDE for the same set of the test strings, which is used in the below C# code: - 4 sec vs. 204 sec. (3 min. 24 sec.) => 51 times quicker Shamil P.S. the code: using System; using System.Collections.Generic; using System.Text; using System.Text.RegularExpressions; namespace StringJammerTestConsoleApplication { /// /// StringJammer abstract class /// public unsafe abstract class StringJammer { protected static byte[] sieve = new byte[256]; protected void Init() { sieve.Initialize(); for (uint i = (int)'A'; i <= (int)'Z'; i++) sieve[i] = 1; for (uint i = (int)'a'; i <= (int)'z'; i++) sieve[i] = 1; copyProcs.Initialize(); for (int i = 0; i < copyProcs.Length; i++) { if ((i >= (int)'A') && (i <= (int)'Z') || (i >= (int)'a') && (i <= (int)'z')) copyProcs[i] = copyChar; else copyProcs[i] = dummyCopyChar; } } public abstract void Jam(ref string stringToJam); protected static copyCharDelegate[] copyProcs = new copyCharDelegate[256]; protected delegate void copyCharDelegate(char* c, ref int i, ref int j, ref bool upperCase); protected static void copyChar(char* c, ref int i, ref int j, ref bool upperCase) { Char cc = c[i++]; if (upperCase) { if (Char.IsUpper(cc)) c[j++] = cc; else c[j++] = Char.ToUpper(cc); upperCase = false; } else { if (char.IsLower(cc)) c[j++] = cc; else c[j++] = Char.ToLower(cc); } } protected static void dummyCopyChar(char* c, ref int i, ref int j, ref bool upperCase) { c[i++] = Char.MinValue; if (!upperCase ) upperCase = true; } } /// /// StringJammer1 class - first string jamming strategy /// public class StringJammer1 : StringJammer { public StringJammer1() { Init(); } public override void Jam(ref string stringToJam) { StringBuilder result = new StringBuilder(stringToJam.Length); bool upperCase = true; foreach (char c in stringToJam.ToCharArray()) { if (sieve[(int)c] == 0) upperCase = true; else if (upperCase) { result.Append(c.ToString().ToUpper()); upperCase = false; } else result.Append(c.ToString().ToLower()); } stringToJam = result.ToString().Trim(); } } /// /// StringJammer2 class - second string jamming strategy /// public class StringJammer2 : StringJammer { public StringJammer2() { Init(); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) { if (sieve[c[i]] == 0) { c[i++] = ' '; upperCase = true; } else if (upperCase) { c[j++] = Char.ToUpper(c[i++]); upperCase = false; } else { c[j++] = Char.ToLower(c[i++]); } } while (j < stringToJam.Length) c[j++] = ' '; } stringToJam = stringToJam.Trim(); } } } /// /// StringJammer3 class - third string jamming strategy /// public class StringJammer3 : StringJammer { public StringJammer3() { Init(); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) copyProcs[c[i]](c, ref i, ref j, ref upperCase); while (j < stringToJam.Length) c[j++] = Char.MinValue; } stringToJam = stringToJam.Trim(Char.MinValue); } } } /// /// StringJammer4 class - fourth string jamming strategy /// public class StringJammer4 : StringJammer { public StringJammer4() { Init(); } private bool isNotJammable(char c) { return Char.IsLetter(c); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) { char cc = c[i++]; //if (Char.IsLetter(cc)) if (isNotJammable(cc)) { if (upperCase) { if (Char.IsUpper(cc)) c[j++] = cc; else c[j++] = Char.ToUpper(cc); upperCase = false; } else { if (Char.IsLower(cc)) c[j++] = cc; else c[j++] = Char.ToLower(cc); } } else upperCase = true; } while (j < stringToJam.Length) c[j++] = Char.MinValue; } stringToJam = stringToJam.Trim(Char.MinValue); } } } /// /// Test /// class Program { static void Main(string[] args) { const long MAX_CYCLES = 1000000; string[] test = { " # hey#hey#Hey,hello_world$%#=======", "@#$this#is_a_test_of_the-emer=======", "gency-broadcast-system $()# " }; StringJammer[] jummers = { new StringJammer1(), new StringJammer2(), new StringJammer3(), new StringJammer4() }; for (int k = 0; k < jummers.Length; k++) { long cyclesQty = MAX_CYCLES; Console.WriteLine("+ {0}\n {1:D} cycles started at {2}", jummers[k].GetType().ToString(), MAX_CYCLES, DateTime.Now.ToLongTimeString()); while (cyclesQty > 0) { for (int i = 0; i < test.Length; i++) { string result = new StringBuilder(test[i]).ToString(); jummers[k].Jam(ref result); if (cyclesQty == MAX_CYCLES) { Console.WriteLine(test[i] + " => {" + result + "}"); } } --cyclesQty; } Console.WriteLine("- {0}\n {1:D} cycles finished at {2}\n", jummers[k].GetType().ToString(), MAX_CYCLES, DateTime.Now.ToLongTimeString()); } Console.WriteLine("Press any key to continue..."); Console.ReadKey(); } } } + StringJammerTestConsoleApplication.StringJammer1 1000000 cycles started at 13:09:56 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer1 1000000 cycles finished at 13:10:15 + StringJammerTestConsoleApplication.StringJammer2 1000000 cycles started at 13:10:15 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer2 1000000 cycles finished at 13:10:21 + StringJammerTestConsoleApplication.StringJammer3 1000000 cycles started at 13:10:21 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer3 1000000 cycles finished at 13:10:25 + StringJammerTestConsoleApplication.StringJammer4 1000000 cycles started at 13:10:25 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer4 1000000 cycles finished at 13:10:29 -- Shamil -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Sunday, September 30, 2007 12:53 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max <<>> -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 1 03:59:31 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:59:31 +0200 Subject: [AccessD] Totals on a crosstab query Message-ID: Hi Arthur You could use a Union Query for this. Union the query you have with another one like that but without any grouping. /gustav >>> fuller.artful at gmail.com 30-09-2007 16:08 >>> The xtab in question lists horses on the rows and lesson types on the columns (i.e. private, semi-private, group), then populates the columns with counts for the number of lessons per horse per lesson type. No problem so far. But the specs call for vertical totals of the columns, and I cannot figure out how to do them with the xtab wizard. What I need is a sum of each of the columns to be presented as the bottom row (i.e sum of private, semi-private and group columns, including all horses). Any suggestions gratefully accepted. Arthur From Gustav at cactus.dk Mon Oct 1 04:02:23 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 11:02:23 +0200 Subject: [AccessD] Totals on a crosstab query Message-ID: Hi Stuart Looks like we agree! I hadn't read your post before answering Arthur's request. /gustav >>> stuart at lexacorp.com.pg 01-10-2007 08:50 >>> On 30 Sep 2007 at 10:08, Arthur Fuller wrote: > The xtab in question lists horses on the rows and lesson types on the > columns (i.e. private, semi-private, group), then populates the columns with > counts for the number of lessons per horse per lesson type. No problem so > far. But the specs call for vertical totals of the columns, and I cannot > figure out how to do them with the xtab wizard. What I need is a sum of > each of the columns to be presented as the bottom row (i.e sum of private, > semi-private and group columns, including all horses). > > Any suggestions gratefully accepted. In a pure query, you would need to use a UNION of the crosstab with a second "SELECT DISTINCT...SUM(...).......GROUP BY...." query. If you base a report on the query, you can have a Footer section where you can do the totalling. From max.wanadoo at gmail.com Mon Oct 1 05:34:00 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 11:34:00 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <002d01c80416$94e2eaf0$8119fea9@LTVM> Hi Gustav, I have tried your version of poking the values into a string using the MID. The results is 31 seconds LONGER than the previous verions. Both version are below. Identical (I think) apart from the poking bit. Max Option Compare Database Option Explicit Const conBadChars As String = "!?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conIterations As Long = 1000000 ' one million iterations Function CamelCaseBestSoFar4VBAPoking() ' This times at 4 mins 16 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) strBit = LCase(Mid(str2Parse, iLenLoop, 1)) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function Function CamelCaseBestSoFar4VBA() ' This times at 3 mins 45 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = "" For iLenLoop = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLenLoop 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 9:57 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of > RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From robert at servicexp.com Mon Oct 1 06:21:28 2007 From: robert at servicexp.com (Robert) Date: Mon, 01 Oct 2007 07:21:28 -0400 Subject: [AccessD] A2K - Locking Problem In-Reply-To: References: Message-ID: <4700D838.8020509@servicexp.com> -----BEGIN PGP SIGNED MESSAGE----- Hash: SHA1 Gustav, I don't believe so. My users machines were fully patched, with the problem. I don't believe that I discovered the solution until early this year. I do remember posting a "Heads Up" here a few weeks after I confirmed the patch worked. I had to call MS for the patches, as it was not openly available at the time. I would think by now though, the patches would have been rolled up into an open released patch. If I remember correctly, there was a newer version of Jet in the patch.. WBR Robert Gustav Brock wrote: > Hi Robert and Reuben > > But wasn't that patch (from April, 2005) included in Win2003 SP2? > > > Service pack information > To resolve this problem, obtain the latest service pack for Windows Server 2003. .. > > > If so, Reuben, this means that the notwork guys didn't update the server. And if so, what do they think SPs are for? > > /gustav > >>>> robert at servicexp.com 28-09-2007 23:55 >>> > Reuben, > I struggled for a looooooong time with what sounds like the same error. I > just happened across a MS KB about the problem. Had my users install the > patches and problem solved. > > > http://support.microsoft.com/kb/895751 > > > If you need the patch's (Win 2003 & XP) I believe I still have them.. > > > > WBR > Robert > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings > Sent: Friday, September 28, 2007 9:54 AM > To: AccessD > Subject: [AccessD] A2K - Locking Problem > > I have a client that is receiving messages stating "The Microsoft Jet > Database engine stopped the process because you..." Basically trying to say > that the record has been edited by someone else. > > This has happened several times lately. There is always a .ldb hangin > around after closing the app (by all users - there are 4 users). This is > occurring even if only one person is using the app. And even then the ldb > is still not deleted. > > Any ideas? > > Reuben Cummings > GFC, LLC > 812.523.1017 > > -----BEGIN PGP SIGNATURE----- Version: GnuPG v1.4.7 (MingW32) Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org iD8DBQFHANg472dSYCwH8FQRAmDkAKCIbGZr7sA1S/B79GNfelyU5C2UIQCgsBW6 ohvmWKsOVZMbBBILXGWT1Fs= =mmDV -----END PGP SIGNATURE----- From Gustav at cactus.dk Mon Oct 1 07:11:06 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 14:11:06 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max No, they are not identical. Here is the corrected version which now runs slightly faster: Function CamelCaseBestSoFar4VBAPoking() ' ' This times at 4 mins 16 seconds ' This times at 3 mins 40 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars ' str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = Space(Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) ' strBit = LCase(Mid(str2Parse, iLenLoop, 1)) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function /gustav >>> max.wanadoo at gmail.com 01-10-2007 12:34 >>> Hi Gustav, I have tried your version of poking the values into a string using the MID. The results is 31 seconds LONGER than the previous verions. Both version are below. Identical (I think) apart from the poking bit. Max Option Compare Database Option Explicit Const conBadChars As String = "!?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conIterations As Long = 1000000 ' one million iterations Function CamelCaseBestSoFar4VBAPoking() ' This times at 4 mins 16 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) strBit = LCase(Mid(str2Parse, iLenLoop, 1)) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function Function CamelCaseBestSoFar4VBA() ' This times at 3 mins 45 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = "" For iLenLoop = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLenLoop 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 9:57 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of > RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... From max.wanadoo at gmail.com Mon Oct 1 07:47:01 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 13:47:01 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <000301c80429$2a8504f0$8119fea9@LTVM> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 1:11 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max No, they are not identical. Here is the corrected version which now runs slightly faster: Function CamelCaseBestSoFar4VBAPoking() ' ' This times at 4 mins 16 seconds ' This times at 3 mins 40 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars ' str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = Space(Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) ' strBit = LCase(Mid(str2Parse, iLenLoop, 1)) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function /gustav From Gustav at cactus.dk Mon Oct 1 07:57:59 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 14:57:59 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max Fine. Now try with a string of, say, 8K ... Hint: Reduce conIterations by a 10- or 100-factor. /gustav >>> max.wanadoo at gmail.com 01-10-2007 14:47 >>> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max From max.wanadoo at gmail.com Mon Oct 1 08:44:08 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 14:44:08 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <000901c80431$2500d7e0$8119fea9@LTVM> No, need. Faster is faster. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 1:58 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max Fine. Now try with a string of, say, 8K ... Hint: Reduce conIterations by a 10- or 100-factor. /gustav >>> max.wanadoo at gmail.com 01-10-2007 14:47 >>> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 09:27:38 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 09:27:38 -0500 Subject: [AccessD] Strange Command Button Behavior Message-ID: I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. From fuller.artful at gmail.com Mon Oct 1 10:20:01 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 11:20:01 -0400 Subject: [AccessD] Command to access the switchboard manager Message-ID: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur From askolits at nni.com Mon Oct 1 10:47:29 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 11:47:29 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <003701c80442$5f753a90$0f01a8c0@officexp> My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. From cfoust at infostatsystems.com Mon Oct 1 10:46:04 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 08:46:04 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dw-murphy at cox.net Mon Oct 1 10:51:11 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Mon, 1 Oct 2007 08:51:11 -0700 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> Arthur, Try DoCmd.RunCommand acCmdWindowUnhide doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 8:20 AM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 1 10:53:03 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 17:53:03 +0200 Subject: [AccessD] Strange Command Button Behavior Message-ID: Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 From Chester_Kaup at kindermorgan.com Mon Oct 1 11:01:32 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 11:01:32 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I found what is happening but don't have a solution yet. When I click on the command button to print a report it triggers the on exit event of the startdate or enddate textboxes depending on which one has the focus. The code to print does not run and the report does not print. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 10:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 11:07:38 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 11:07:38 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 11:10:04 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 09:10:04 -0700 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> Message-ID: That's the database window, not the switchboard manager. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Monday, October 01, 2007 8:51 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Command to access the switchboard manager Arthur, Try DoCmd.RunCommand acCmdWindowUnhide doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 8:20 AM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 11:12:03 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 09:12:03 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Mon Oct 1 11:28:32 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 17:28:32 +0100 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <005301c80448$1c276780$8119fea9@LTVM> Arthur, Try this. DoCmd.RunCommand acCmdSwitchboardManager Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 4:20 PM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Donald.A.McGillivray at sprint.com Mon Oct 1 11:41:16 2007 From: Donald.A.McGillivray at sprint.com (McGillivray, Don [IT]) Date: Mon, 1 Oct 2007 11:41:16 -0500 Subject: [AccessD] Adding Caption Property In-Reply-To: <003701c80442$5f753a90$0f01a8c0@officexp> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <003701c80442$5f753a90$0f01a8c0@officexp> Message-ID: Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 11:56:10 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 12:56:10 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: Message-ID: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 1 11:59:41 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 12:59:41 -0400 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <005301c80448$1c276780$8119fea9@LTVM> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <005301c80448$1c276780$8119fea9@LTVM> Message-ID: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> Sadly, that one is not listed. I should have mentioned that I tried that. At least until I figure it out, it's available on the menu. On 10/1/07, max.wanadoo at gmail.com wrote: > > Arthur, > Try this. > > DoCmd.RunCommand acCmdSwitchboardManager > > Max > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Monday, October 01, 2007 4:20 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] Command to access the switchboard manager > > Anyone know what the docmd.runcommand is to open the switchboard manager? > > There is a whole list of these somewhere but I can't seem to find it. > > TIA. > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From max.wanadoo at gmail.com Mon Oct 1 12:13:18 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 18:13:18 +0100 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> Message-ID: <006001c8044e$5da34340$8119fea9@LTVM> Hi Arthur, It works for my system (Access 2002-2003) V11.0 SP2 Are you running a different version to me perhaps? Check out the docmd.runcommand options. There are tons there. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 6:00 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Command to access the switchboard manager Sadly, that one is not listed. I should have mentioned that I tried that. At least until I figure it out, it's available on the menu. On 10/1/07, max.wanadoo at gmail.com wrote: > > Arthur, > Try this. > > DoCmd.RunCommand acCmdSwitchboardManager > > Max > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: Monday, October 01, 2007 4:20 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] Command to access the switchboard manager > > Anyone know what the docmd.runcommand is to open the switchboard manager? > > There is a whole list of these somewhere but I can't seem to find it. > > TIA. > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 1 12:39:48 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 13:39:48 -0400 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <006001c8044e$5da34340$8119fea9@LTVM> References: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> <006001c8044e$5da34340$8119fea9@LTVM> Message-ID: <29f585dd0710011039g438cba88w7ce7f9b170006826@mail.gmail.com> That explains it. This app is in Access 2000. Thanks for the clarification. On 10/1/07, max.wanadoo at gmail.com wrote: > > Hi Arthur, > It works for my system (Access 2002-2003) V11.0 SP2 > > Are you running a different version to me perhaps? > > Check out the docmd.runcommand options. There are tons there. > > From andy at minstersystems.co.uk Mon Oct 1 12:53:02 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 1 Oct 2007 18:53:02 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <003701c80442$5f753a90$0f01a8c0@officexp> Message-ID: <008001c80453$e9b77450$2b51d355@minster33c3r25> Hi John Have you tried? Set prop = fld.CreateProperty("Caption") prop.Type=dbText prop.Value="Test Caption" fld.Properties.Append prop -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > John Skolits > Sent: 01 October 2007 16:47 > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Adding Caption Property > > > My objective is to simply add a caption to all my table > fields. I'm sure I'm missing something basic here. I went to > many archives and all the solution seemed similar, but it > still won't work for me. Can anyone tell me what's wrong? > > > > Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field > Dim prop As Dao.Property > > 'Create Table (This Works) > Set dbCurr = CurrentDb() > Set tdf = dbs.CreateTableDef("tbl_TEST") > > 'Create Field (This Works) > Set fld = tdf.CreateField("Test Field" ,dbtext, 255) > tdf.Fields.Append fld > > 'Create the CAPTION property. (This line is accepted) > Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") > > 'Append the property (Breaks Here) > fld.Properties.Append prop > > > Error: Run-time error '3219' - Invlaid operation. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From max.wanadoo at gmail.com Mon Oct 1 13:11:16 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 19:11:16 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> Message-ID: <006a01c80456$78a6e040$8119fea9@LTVM> John, You cannot do that because the property already exists! The CAPTION property is already defined when you create a table. You cannot re-create it. You should be able to do something with this code below. I leave it to you to adapt it to do whatever it is you want. Regards Max Function fSetFieldCaptions() On Error Resume Next Dim dbs As DAO.Database, prp As Property, fld As Field, tbl As DAO.TableDef Set dbs = CurrentDb For Each tbl In dbs.TableDefs If tbl.Name = "Table1" Then For Each fld In tbl.Fields For Each prp In fld.Properties If fld.Name = "Desc" Then If prp.Name = "Caption" Then prp.Value = "MyNewCaptionName" End If End If Next prp Next fld End If Next tbl End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 5:56 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 13:20:24 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 13:20:24 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 13:46:16 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 11:46:16 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 11:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 13:50:44 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 14:50:44 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: <006a01c80456$78a6e040$8119fea9@LTVM> References: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> <006a01c80456$78a6e040$8119fea9@LTVM> Message-ID: <008d01c8045b$f9423560$0f01a8c0@officexp> Hmmm... Well I tried your code and it did not find the Caption property, unless I had entered its value manually at some point. The tables I'm creating are through VBA and there were never any caption provided. The Caption property is a strange one. It is not part of the field properties unless you create it yourself. (Or enter the caption text using Table Design mode.) If you print out the properties, based on your code, the only ones found are: ValidationText Required AllowZeroLength FieldSize OriginalValue VisibleValue ColumnWidth ColumnOrder ColumnHidden DecimalPlaces DisplayControl GUID -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Monday, October 01, 2007 2:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property John, You cannot do that because the property already exists! The CAPTION property is already defined when you create a table. You cannot re-create it. You should be able to do something with this code below. I leave it to you to adapt it to do whatever it is you want. Regards Max Function fSetFieldCaptions() On Error Resume Next Dim dbs As DAO.Database, prp As Property, fld As Field, tbl As DAO.TableDef Set dbs = CurrentDb For Each tbl In dbs.TableDefs If tbl.Name = "Table1" Then For Each fld In tbl.Fields For Each prp In fld.Properties If fld.Name = "Desc" Then If prp.Name = "Caption" Then prp.Value = "MyNewCaptionName" End If End If Next prp Next fld End If Next tbl End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 5:56 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 13:58:44 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 14:58:44 -0400 Subject: [AccessD] Adding Caption Property - RESOLVED In-Reply-To: <008001c80453$e9b77450$2b51d355@minster33c3r25> References: <003701c80442$5f753a90$0f01a8c0@officexp> <008001c80453$e9b77450$2b51d355@minster33c3r25> Message-ID: <008e01c8045d$17363fc0$0f01a8c0@officexp> Yes, I did try that. I have found that the problem is that you must append the table first to the tables collection, before you can add the property. That's weird since all the examples I have found seemed to indicate you could do it while building the table. Well, I finally figured it out. Thanks, John -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 01, 2007 1:53 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Hi John Have you tried? Set prop = fld.CreateProperty("Caption") prop.Type=dbText prop.Value="Test Caption" fld.Properties.Append prop -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John > Skolits > Sent: 01 October 2007 16:47 > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Adding Caption Property > > > My objective is to simply add a caption to all my table fields. I'm > sure I'm missing something basic here. I went to many archives and all > the solution seemed similar, but it still won't work for me. Can > anyone tell me what's wrong? > > > > Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim > prop As Dao.Property > > 'Create Table (This Works) > Set dbCurr = CurrentDb() > Set tdf = dbs.CreateTableDef("tbl_TEST") > > 'Create Field (This Works) > Set fld = tdf.CreateField("Test Field" ,dbtext, 255) > tdf.Fields.Append fld > > 'Create the CAPTION property. (This line is accepted) > Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") > > 'Append the property (Breaks Here) > fld.Properties.Append prop > > > Error: Run-time error '3219' - Invlaid operation. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Mon Oct 1 14:14:41 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 20:14:41 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <008d01c8045b$f9423560$0f01a8c0@officexp> Message-ID: <007101c8045f$52706140$8119fea9@LTVM> John, Here is an example from the help file. I am sure you can work through this to do what you want. I *think* that perhaps the Caption field is shown in Table Design view, even though it has not actually been created, which is why when I run code like this: Dim dbs As DAO.Database, sql as string Set dbs = CurrentDb sql = "Create Table Table2 (MyDesc Text, MyNumber number)" dbs.Execute (sql) And then look at it in Table Design view, I can see the Caption Property, but I cannot see it in code UNLESS I first of all type a value into the Caption Field, at which time (I think) Access actually creates the property. Below is some code which should give you what you want. I am running Access 2002-2003 Version 11.0 SP2 Regards Max CreateProperty Method Example This example tries to set the value of a user-defined property. If the property doesn't exist, it uses the CreateProperty method to create and set the value of the new property. The SetProperty procedure is required for this procedure to run. Sub CreatePropertyX() Dim dbsNorthwind As Database Dim prpLoop As Property Set dbsNorthwind = OpenDatabase("Northwind.mdb") ' Set the Archive property to True. SetProperty dbsNorthwind, "Archive", True With dbsNorthwind Debug.Print "Properties of " & .Name ' Enumerate Properties collection of the Northwind ' database. For Each prpLoop In .Properties If prpLoop <> "" Then Debug.Print " " & _ prpLoop.Name & " = " & prpLoop Next prpLoop ' Delete the new property since this is a ' demonstration. .Properties.Delete "Archive" .Close End With End Sub Sub SetProperty(dbsTemp As Database, strName As String, _ booTemp As Boolean) Dim prpNew As Property Dim errLoop As Error ' Attempt to set the specified property. On Error GoTo Err_Property dbsTemp.Properties("strName") = booTemp On Error GoTo 0 Exit Sub Err_Property: ' Error 3270 means that the property was not found. If DBEngine.Errors(0).Number = 3270 Then ' Create property, set its value, and append it to the ' Properties collection. Set prpNew = dbsTemp.CreateProperty(strName, _ dbBoolean, booTemp) dbsTemp.Properties.Append prpNew Resume Next Else ' If different error has occurred, display message. For Each errLoop In DBEngine.Errors MsgBox "Error number: " & errLoop.Number & vbCr & _ errLoop.Description Next errLoop End End If End Sub From jengross at gte.net Mon Oct 1 15:43:05 2007 From: jengross at gte.net (Jennifer Gross) Date: Mon, 01 Oct 2007 13:43:05 -0700 Subject: [AccessD] OT: Microsoft Project Message-ID: <011601c8046b$b25eace0$6501a8c0@jefferson> Hello All, I have a client that is looking into using Microsoft Project or some other project management software. They are looking at either 2003 Pro or one of the 2007 versions. They will have multiple concurrent users and will likely require customization with integration to both Microsoft Access and SQL Server database. I have never worked with Project and am looking for opinions, insight, any thoughts on the matter. Thank you in advance, Jennifer Gross office: (805) 480-1921 fax: (805) 499-0467 From cjlabs at worldnet.att.net Mon Oct 1 16:20:16 2007 From: cjlabs at worldnet.att.net (Carolyn Johnson) Date: Mon, 1 Oct 2007 16:20:16 -0500 Subject: [AccessD] Cannot export to RTF from Access2007 References: <009d01c8018b$aa123120$0301a8c0@HAL9005> Message-ID: <001001c80470$de7f1da0$6401a8c0@XPcomputer> FYI -- I got a return call from Microsoft that Access2007 cannot export to Word a report from a compiled Access2000 format database. Access crashes when you attempt to export the report. The original report that my database is corrupt was incorrect. They are advising using 2002-2003 format or 2007 format with Access2007. Carolyn Johnson ----- Original Message ----- From: "Rocky Smolin at Beach Access Software" To: "'Access Developers discussion and problem solving'" Sent: Thursday, September 27, 2007 11:54 PM Subject: Re: [AccessD] Cannot export to RTF from Access2007 >I have encountered differences between mdbs and mdes on A2K3 and WXP where > the mdb would run and the mde would fail. > > The only way I was able to trace it down was to put message boxes in the > code after every line - MsgBox "Point 1", MsgBox "Point 2", MsgBox "Point > 3", etc. Eventually I found a problem in the code that DIDN'T (!) raise > an > error in the mdb but failed in the mde. > > Access. Ya gotta love it. > > Not much help I know but that's my only experience with this. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Carolyn Johnson > Sent: Thursday, September 27, 2007 7:26 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Cannot export to RTF from Access2007 > > I have a compiled Access2000 database running on Vista/Access2007. > > When I try to export any report to RTF, I get an error that Access is > shutting down. On a second computer running Vista/Access2007, I get the > error "Object variable or With block variable not set". (Not sure why > there > are different responses.) > > Non-compiled version of the database exports without an error on > Vista/Access2007 machine. > > Either compiled or non-compiled database on the same computer in > Access2003 > exports fine. > > Either compiled or non-compiled database on a WindowsXP/Access2000 machine > exports fine. > > Unfortunately, I don't have Access2007 on a non-Vista computer at the > moment. > > > Does anyone have any experience with this? > > > TIA, > Carolyn Johnson > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.13.32/1033 - Release Date: > 9/27/2007 > 11:06 AM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 07:59:12 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 08:59:12 -0400 Subject: [AccessD] Bulk insert and table names Message-ID: <015e01c804f4$0851f7a0$6c7aa8c0@M90> You guys will love this one. I am writing .Net stuff to do imports of these huge text files. I fill a directory with files to be imported, then the code gets the file names in that directory and iterates through importing the files. I use the bulk copy object to do the insert. In this case I had files named using the two digit state code by the people who generated the source files. AK.txt AL.txt ... WY.txt I simply stripped off the .txt and use the file name itself as the name of a temp table into which I import the data. Once imported and validated, I then append the temp table to the permanent table and delete the temp table. I log EVERYTHING from the start / stop time of each operation to the error text, how many records successfully imported into the temp table etc. With me so far? My code takes off and runs. I end up with TWO files - IN.txt and OR.txt - that refuse to import. The error message thrown by the Bulk Copy object is "cannot access the destination table". These tables - IN and OR do indeed exist, nothing wrong with them. I have code that builds the tables on-the-fly and the tables are being built but the BulkCopy object cannot append the data into them. After an embarrassingly long period of head scratching, checking that I have sufficient disk space (this is a terabyte array, I have enough space!), compacting the database etc. it finally dawns on me that perhaps the table names are verboten. I changed the name of the input files from IN.txt to IND.txt and OR.txt to ORE.txt and voila, she runs. My best guess at this point is that the Bulk Copy object or something it calls in SQL Server to get its job done views IN and OR as key words and will not allow some operations to be performed on tables named that. Notice that I could execute, using the CMD object in .NET, SQL code to create the tables and THAT worked. Anyway, just another piece of trivia to remember - somewhere in the bowels of SQL Server exists a distaste for table names (and field names as well?) that are the same as key words. Which of course leads us to the question, where is the list of key words that we are not allowed to use? On a related note, I also create and index a PKID in the tables. In fact I quite doing so in the temp tables since it served no useful purpose, however while I was still doing so I ran into an interesting similar problem. I was naming the indexes IX & FieldName, whatever field name might be. Because I always used PKID as my field name, SQL Server complained about the index in the second table I tried to create (I create the permanent and then the temp table). It turns out that the index names appear to be stored in a common collection keyed on the index name and so the second time I tried to create the same name for an index (in a DIFFERENT table) SQL Server threw an error. I ended up using IX & TableName & FieldName as the index name and it worked just fine of course. John W. Colby Colby Consulting www.ColbyConsulting.com From Mwp.Reid at qub.ac.uk Tue Oct 2 08:07:00 2007 From: Mwp.Reid at qub.ac.uk (Martin W Reid) Date: Tue, 2 Oct 2007 14:07:00 +0100 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: Hi John List of SQL 2000 Keywords http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx Martin Martin Reid Telephone: 02890974465 From robert at webedb.com Tue Oct 2 08:36:32 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 02 Oct 2007 08:36:32 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: References: Message-ID: <200710021341.l92DftrF024487@databaseadvisors.com> No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert At 10:48 AM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 15:21:10 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <019601c801da$d1b69000$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Robert, be careful now. You are starting to drift away... > >Snowflake: This to me is a miltary policeman (RMP) so called because they >wore white hats. >True Stars: I can understand this cos my staff often say "Max you are a true >star" (costs me a fortune each time). > >But, I *think* I am still with you. > >So, we have a Form which captures data. (Is this the transactional system >you mention). The code then writes each entry into a Transaction Table >(flat file) all data written regardless of duplication in other data >entries. > >The Transaction Table then forms part of the data mart. There is no lookup >or linked tables. Everything is in the Transaction Table. > >Have I got it right so far? > >Max From robert at webedb.com Tue Oct 2 08:53:51 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 02 Oct 2007 08:53:51 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: References: Message-ID: <200710021356.l92DuqWA003818@databaseadvisors.com> Max, I sent an example to the list a little while ago. I think that will help you with the design. But, to expand on it further. ftblOrdersByWeek CustID WeekOfYear YearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByMonthyear CustID MonthYearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByYear CustID YearText ProductID ShippingMethodID TotalQtySold SalesPrice Now, there are additional fact tables that still use the same dimensions but are now summarized differently. This is the advantage of a mart/warehouse. All the math is already do. The data is stored at the granularity you want to report at. Granularity is almost always related to the time dimension of your facts. ftbl - fact table dtbl - dimension table Robert At 01:52 PM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 19:21:39 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <020e01c801fc$6ad269a0$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Thanks John, >Normalised data I understand. >What I don't understand is how we get from that to Data Marts. > >Q1: What do I do with my normalised tables. If the answer is to leave the >data in the normalised table and then re-post it to a flat table, then why >could that not have been done at data entry. >Q2: If the answer to Q1 is go straight to flat tables, then what do I do >AFTER that. > >When it then comes to pulling the data out into reports are we talking about >using software other than Access? > >The terminology is throwing me a bit too (well, to be honest, it is throwing >me a lot). >With the help of you guys, I will undertand it eventually. > >What is conceptually throwing me at the moment though is this: If the >reason people use datamarts (Star/Snow) to quickly create reports which >dice/slice down through the data, then are we or are we not just moving the >"time Taken" from the report stage to the data input stage (which would make >sense to me). But if I am completely wrong here, then I really am "all at >sea!" > >Thanks >Max From max.wanadoo at gmail.com Tue Oct 2 08:58:13 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Tue, 2 Oct 2007 14:58:13 +0100 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <00c601c804fc$471a8850$8119fea9@LTVM> Thanks Robert, I will digest all of that in due course. Congratulations on your wedding. I hope it all went well for you. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 2:37 PM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert At 10:48 AM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 15:21:10 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <019601c801da$d1b69000$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Robert, be careful now. You are starting to drift away... > >Snowflake: This to me is a miltary policeman (RMP) so called because >they wore white hats. >True Stars: I can understand this cos my staff often say "Max you are a >true star" (costs me a fortune each time). > >But, I *think* I am still with you. > >So, we have a Form which captures data. (Is this the transactional >system you mention). The code then writes each entry into a >Transaction Table (flat file) all data written regardless of >duplication in other data entries. > >The Transaction Table then forms part of the data mart. There is no >lookup or linked tables. Everything is in the Transaction Table. > >Have I got it right so far? > >Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 2 08:58:16 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 2 Oct 2007 08:58:16 -0500 Subject: [AccessD] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: <002301c804fc$48550420$0200a8c0@danwaters> Thanks John! I once spent hours trying to do an INSERT INTO for an Access field titled 'Note'. Eventually, on a hunch I changed the name and all worked well! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 02, 2007 7:59 AM To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and problem solving' Subject: [AccessD] Bulk insert and table names You guys will love this one. I am writing .Net stuff to do imports of these huge text files. I fill a directory with files to be imported, then the code gets the file names in that directory and iterates through importing the files. I use the bulk copy object to do the insert. In this case I had files named using the two digit state code by the people who generated the source files. AK.txt AL.txt ... WY.txt I simply stripped off the .txt and use the file name itself as the name of a temp table into which I import the data. Once imported and validated, I then append the temp table to the permanent table and delete the temp table. I log EVERYTHING from the start / stop time of each operation to the error text, how many records successfully imported into the temp table etc. With me so far? My code takes off and runs. I end up with TWO files - IN.txt and OR.txt - that refuse to import. The error message thrown by the Bulk Copy object is "cannot access the destination table". These tables - IN and OR do indeed exist, nothing wrong with them. I have code that builds the tables on-the-fly and the tables are being built but the BulkCopy object cannot append the data into them. After an embarrassingly long period of head scratching, checking that I have sufficient disk space (this is a terabyte array, I have enough space!), compacting the database etc. it finally dawns on me that perhaps the table names are verboten. I changed the name of the input files from IN.txt to IND.txt and OR.txt to ORE.txt and voila, she runs. My best guess at this point is that the Bulk Copy object or something it calls in SQL Server to get its job done views IN and OR as key words and will not allow some operations to be performed on tables named that. Notice that I could execute, using the CMD object in .NET, SQL code to create the tables and THAT worked. Anyway, just another piece of trivia to remember - somewhere in the bowels of SQL Server exists a distaste for table names (and field names as well?) that are the same as key words. Which of course leads us to the question, where is the list of key words that we are not allowed to use? On a related note, I also create and index a PKID in the tables. In fact I quite doing so in the temp tables since it served no useful purpose, however while I was still doing so I ran into an interesting similar problem. I was naming the indexes IX & FieldName, whatever field name might be. Because I always used PKID as my field name, SQL Server complained about the index in the second table I tried to create (I create the permanent and then the temp table). It turns out that the index names appear to be stored in a common collection keyed on the index name and so the second time I tried to create the same name for an index (in a DIFFERENT table) SQL Server threw an error. I ended up using IX & TableName & FieldName as the index name and it worked just fine of course. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 09:01:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 10:01:27 -0400 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: <015f01c804fc$ba890230$6c7aa8c0@M90> LOL. Thanks for that but I suppose my question was a jab at the concept that I would HAVE to make sure that my table / field names did not collide with some list of reserved words inside of SQL Server. The SQL Server programming team should ensure that I can name my tables and fields whatever I want to, NOT look up my proposed table field names in THEIR (ever changing) list of keywords and change my choice if it collides with their reserved words. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Martin W Reid Sent: Tuesday, October 02, 2007 9:07 AM To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and problem solving' Subject: Re: [AccessD] [dba-SQLServer] Bulk insert and table names Hi John List of SQL 2000 Keywords http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx Martin Martin Reid Telephone: 02890974465 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 09:02:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 10:02:50 -0400 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> References: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <016001c804fc$ec01cdb0$6c7aa8c0@M90> Congratulations on the wedding! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 9:37 AM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert From Jim.Hale at FleetPride.com Tue Oct 2 09:12:59 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 2 Oct 2007 09:12:59 -0500 Subject: [AccessD] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: Given the huge volume you are dealing with you can probably look forward to discovering EVERY forbidden word over time. Compile the list, publish it as "Bill Gates forbidden word list and the men who found them" go on Dr Phil with an expose and voila, a celebrity is born. (Sorry I was up LATE last night boxing PALLETS of soap to sell on QVC no less. Don't ask.) :-) Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From max.wanadoo at gmail.com Tue Oct 2 09:27:14 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Tue, 2 Oct 2007 15:27:14 +0100 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021356.l92DuqWA003818@databaseadvisors.com> Message-ID: <00cd01c80500$54e76990$8119fea9@LTVM> Thanks again, Robert Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 2:54 PM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) Max, I sent an example to the list a little while ago. I think that will help you with the design. But, to expand on it further. ftblOrdersByWeek CustID WeekOfYear YearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByMonthyear CustID MonthYearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByYear CustID YearText ProductID ShippingMethodID TotalQtySold SalesPrice Now, there are additional fact tables that still use the same dimensions but are now summarized differently. This is the advantage of a mart/warehouse. All the math is already do. The data is stored at the granularity you want to report at. Granularity is almost always related to the time dimension of your facts. ftbl - fact table dtbl - dimension table Robert At 01:52 PM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 19:21:39 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <020e01c801fc$6ad269a0$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Thanks John, >Normalised data I understand. >What I don't understand is how we get from that to Data Marts. > >Q1: What do I do with my normalised tables. If the answer is to leave >the data in the normalised table and then re-post it to a flat table, >then why could that not have been done at data entry. >Q2: If the answer to Q1 is go straight to flat tables, then what do I >do AFTER that. > >When it then comes to pulling the data out into reports are we talking >about using software other than Access? > >The terminology is throwing me a bit too (well, to be honest, it is >throwing me a lot). >With the help of you guys, I will undertand it eventually. > >What is conceptually throwing me at the moment though is this: If the >reason people use datamarts (Star/Snow) to quickly create reports which >dice/slice down through the data, then are we or are we not just moving >the "time Taken" from the report stage to the data input stage (which >would make sense to me). But if I am completely wrong here, then I >really am "all at sea!" > >Thanks >Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JRuff at SolutionsIQ.com Tue Oct 2 09:39:56 2007 From: JRuff at SolutionsIQ.com (John Ruff) Date: Tue, 2 Oct 2007 07:39:56 -0700 Subject: [AccessD] Determine if Object is a Table or View Message-ID: <4870DBEB7940B041B2EFB8F70F26334D44BC70@blv2-exc-01.siq.solutionsiq.com> I'm not sure if the original message got thru, so I'm posting it one more time. I'm using ADOX in an Access2003 mdb to iterate through the tables in SQL Server 2000. I only need to gather data on the tables and not any of the views. Here is the snippit of code I use to capture the table object. Dim cat As ADOX.Catalog Dim rst As ADODB.Recordset Dim tbl As ADOX.Table Set cat = New Catalog cat.ActiveConnection = "Provider=SQLNCLI.1;Integrated Security=SSPI;Persist Security Info=False;Initial Catalog=SOLIQ;Data Source=congo" Set rst = New ADODB.Recordset For Each tbl In cat.Tables ' I would like to determine if the object is a table or a view here. Question: How can I determine if the tbl is a table or view? papparuff John V. Ruff Applications Support Analyst SolutionsIQ www.SolutionsIQ.com 10785 Willows Road NE Redmond, WA 98052 425.250.3484 From ab-mi at post3.tele.dk Tue Oct 2 10:20:15 2007 From: ab-mi at post3.tele.dk (Asger Blond) Date: Tue, 2 Oct 2007 17:20:15 +0200 Subject: [AccessD] Determine if Object is a Table or View In-Reply-To: <4870DBEB7940B041B2EFB8F70F26334D44BC70@blv2-exc-01.siq.solutionsiq.com> Message-ID: <000701c80507$bbfa4470$2101a8c0@AB> Try something like this: If tbl.Type="Table" Then ... If tbl.Type="View" Then ... hth Asger -----Oprindelig meddelelse----- Fra: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] P? vegne af John Ruff Sendt: 2. oktober 2007 16:40 Til: accessd at databaseadvisors.com Emne: [AccessD] Determine if Object is a Table or View I'm not sure if the original message got thru, so I'm posting it one more time. I'm using ADOX in an Access2003 mdb to iterate through the tables in SQL Server 2000. I only need to gather data on the tables and not any of the views. Here is the snippit of code I use to capture the table object. Dim cat As ADOX.Catalog Dim rst As ADODB.Recordset Dim tbl As ADOX.Table Set cat = New Catalog cat.ActiveConnection = "Provider=SQLNCLI.1;Integrated Security=SSPI;Persist Security Info=False;Initial Catalog=SOLIQ;Data Source=congo" Set rst = New ADODB.Recordset For Each tbl In cat.Tables ' I would like to determine if the object is a table or a view here. Question: How can I determine if the tbl is a table or view? papparuff John V. Ruff Applications Support Analyst SolutionsIQ www.SolutionsIQ.com 10785 Willows Road NE Redmond, WA 98052 425.250.3484 From fuller.artful at gmail.com Tue Oct 2 10:38:16 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 2 Oct 2007 11:38:16 -0400 Subject: [AccessD] Excel formatting question Message-ID: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur From john at winhaven.net Tue Oct 2 10:35:38 2007 From: john at winhaven.net (John Bartow) Date: Tue, 2 Oct 2007 10:35:38 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> References: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <010401c80509$e282b300$6402a8c0@ScuzzPaq> Congratulations on the wedding! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) From carbonnb at gmail.com Tue Oct 2 10:47:21 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Tue, 2 Oct 2007 11:47:21 -0400 Subject: [AccessD] Excel formatting question In-Reply-To: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> References: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Message-ID: On 10/2/07, Arthur Fuller wrote: > Given how knee-deep I am lately into Excel programming, this will doubtless > seem a stupid question, or evidence of a stupid inquirer, but anyway... I > have a workbook which contains two sheets. One prints with a grid (boxes > around each cell) and another prints with just white space and values. I > want the second to print the grid, same as the first. What do I adjust to > make this occur? File | Page Setup | Sheet Tab Check the Gridlines checkbox about 1/2 way down. P.S. This would have been a better post on DBA-Tech. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From Donald.A.McGillivray at sprint.com Tue Oct 2 10:55:09 2007 From: Donald.A.McGillivray at sprint.com (McGillivray, Don [IT]) Date: Tue, 2 Oct 2007 10:55:09 -0500 Subject: [AccessD] Excel formatting question In-Reply-To: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> References: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Message-ID: Arthur, This ought to do it . . . File|Page Setup Sheet tab Gridlines checkbox You can also get there from the print preview screen. Click the Setup button, etc . . . Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 02, 2007 8:38 AM To: Access Developers discussion and problem solving Subject: [AccessD] Excel formatting question Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fhtapia at gmail.com Tue Oct 2 10:56:56 2007 From: fhtapia at gmail.com (Francisco Tapia) Date: Tue, 2 Oct 2007 08:56:56 -0700 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: <015f01c804fc$ba890230$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> <015f01c804fc$ba890230$6c7aa8c0@M90> Message-ID: The thing is that if you bracket your table names, you're allowed to use them, prefixing your table names with something simple such as tblOR or tblIN would have clearly avoided the problem you faced. Similarly with indexes, you've found a great way to keep them unique by including the tablename in the index. On 10/2/07, jwcolby wrote: > > LOL. > > Thanks for that but I suppose my question was a jab at the concept that I > would HAVE to make sure that my table / field names did not collide with > some list of reserved words inside of SQL Server. The SQL Server > programming team should ensure that I can name my tables and fields > whatever > I want to, NOT look up my proposed table field names in THEIR (ever > changing) list of keywords and change my choice if it collides with their > reserved words. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Martin W Reid > Sent: Tuesday, October 02, 2007 9:07 AM > To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and > problem solving' > Subject: Re: [AccessD] [dba-SQLServer] Bulk insert and table names > > Hi John > > List of SQL 2000 Keywords > > http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx > > > Martin > > > Martin Reid > Telephone: 02890974465 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > _______________________________________________ > dba-SQLServer mailing list > dba-SQLServer at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/dba-sqlserver > http://www.databaseadvisors.com > > -- -Francisco http://sqlthis.blogspot.com | Tsql and More... From jengross at gte.net Tue Oct 2 11:03:46 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 02 Oct 2007 09:03:46 -0700 Subject: [AccessD] Excel formatting question In-Reply-To: Message-ID: <008a01c8050d$d38176d0$6501a8c0@jefferson> Hi Arthur, The sheet that you want to turn Gridlines on for needs to be the active sheet. Page Setup only effects the current active worksheet. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Tuesday, October 02, 2007 8:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Excel formatting question Arthur, This ought to do it . . . File|Page Setup Sheet tab Gridlines checkbox You can also get there from the print preview screen. Click the Setup button, etc . . . Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 02, 2007 8:38 AM To: Access Developers discussion and problem solving Subject: [AccessD] Excel formatting question Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 2 15:46:13 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 2 Oct 2007 15:46:13 -0500 Subject: [AccessD] When Was a Module Last Modified? Message-ID: <002601c80535$4603d140$0200a8c0@danwaters> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters From Chester_Kaup at kindermorgan.com Tue Oct 2 15:48:21 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 2 Oct 2007 15:48:21 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I tried moving the error checking code from the OnExit event to the AfterUpdate event but after the error check occurs the focus moves to the next text box. With the OnExit event the focus goes back to the textbox that has the bad value. Here is the error checking code. If IsNull(Me!StartDate) Then MsgBox "You must enter a start date" Cancel = True ElseIf CVDate(Me!StartDate) > CVDate(EndDate) Then MsgBox "Invalid Date. Start date must be before end date" Cancel = True Else Me!EndDate.Enabled = True Me!EndDate.SetFocus DoCmd.OpenQuery "qry All Manifolds Production for a Time Interval" Forms![frm All Manifolds Chart 90 Days].chtAllManifolds1.Requery Me.Repaint End If -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 11:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 1 06:29:25 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 1 Oct 2007 15:29:25 +0400 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <004d01c8041e$62466650$6501a8c0@nant> <<< Indeed for long strings (some 10K) this is so slow that it is hard to believe. >>> Hi Gustav, Yes, I'm aware of that. <<< As we all know, for validation of a user input in a textbox, speed is of zero practical importance >>> Yes, that's clear but: 1) this thread was originated with the request of JC to find the quickest way to "jam"/CamelCase strings... 2) the original request was about RegEx and VB.NET/C#. The hypothesis was that RegEx could deliver the quickest solution. This hypothesis isn't yet proved in this thread... 3) saving even one CPU cycle while programming user input could result in a lot of saved energy if we count how many computers are currently running all around the world :) - a kind of kidding you know: of course spending hours trying to save a second for an algorithm, which validates user input could be even more waste of energy - but for JC's task saving a sec could result in significant time gains because of specifics of the business processes of his customer requesting to "crunch" zillion gigabytes of data... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 12:57 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav From pcs at azizaz.com Wed Oct 3 00:39:01 2007 From: pcs at azizaz.com (pcs at azizaz.com) Date: Wed, 3 Oct 2007 15:39:01 +1000 (EST) Subject: [AccessD] Basic Scripting Question Message-ID: <20071003153901.DEE29932@dommail.onthenet.com.au> Hi, I am discovering the world of scripting / vbscript Coding in VBA (Access2003) In the context for a code line like Set fs = CreateObject("Scripting.FileSystemObject") how can I get intellisence into the created object? So that if I code fs. the various properties and methods will appear What reference do I need to set? If I set a reference, is that what is called 'early binding' For the code to work I understand I don't need to set a reference, right. But what library is driving the created object, providing properties and methods? borge From Gustav at cactus.dk Wed Oct 3 02:59:14 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 03 Oct 2007 09:59:14 +0200 Subject: [AccessD] When Was a Module Last Modified? Message-ID: Hi Dan Here is one method: datUpdated = CurrentDb.Containers!Modules("NameOfYourModule").LastUpdated /gustav >>> dwaters at usinternet.com 02-10-2007 22:46 >>> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters From jwcolby at colbyconsulting.com Wed Oct 3 06:43:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 3 Oct 2007 07:43:40 -0400 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: <004d01c8041e$62466650$6501a8c0@nant> References: <004d01c8041e$62466650$6501a8c0@nant> Message-ID: <018d01c805b2$a5546bf0$6c7aa8c0@M90> Shamil, And while I haven't spoken up yet (nor had time to try all this) I am watching the thread closely. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Monday, October 01, 2007 7:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< Indeed for long strings (some 10K) this is so slow that it is hard to believe. >>> Hi Gustav, Yes, I'm aware of that. <<< As we all know, for validation of a user input in a textbox, speed is of zero practical importance >>> Yes, that's clear but: 1) this thread was originated with the request of JC to find the quickest way to "jam"/CamelCase strings... 2) the original request was about RegEx and VB.NET/C#. The hypothesis was that RegEx could deliver the quickest solution. This hypothesis isn't yet proved in this thread... 3) saving even one CPU cycle while programming user input could result in a lot of saved energy if we count how many computers are currently running all around the world :) - a kind of kidding you know: of course spending hours trying to save a second for an algorithm, which validates user input could be even more waste of energy - but for JC's task saving a sec could result in significant time gains because of specifics of the business processes of his customer requesting to "crunch" zillion gigabytes of data... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 12:57 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 3 07:22:52 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 07:22:52 -0500 Subject: [AccessD] When Was a Module Last Modified? In-Reply-To: References: Message-ID: <000c01c805b8$1fdeb6f0$0200a8c0@danwaters> Thanks Gustav - I'll give this a try. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 03, 2007 2:59 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] When Was a Module Last Modified? Hi Dan Here is one method: datUpdated = CurrentDb.Containers!Modules("NameOfYourModule").LastUpdated /gustav >>> dwaters at usinternet.com 02-10-2007 22:46 >>> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 3 07:32:12 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 07:32:12 -0500 Subject: [AccessD] Basic Scripting Question In-Reply-To: <20071003153901.DEE29932@dommail.onthenet.com.au> References: <20071003153901.DEE29932@dommail.onthenet.com.au> Message-ID: <001401c805b9$6c895f90$0200a8c0@danwaters> Hi Borge, There used to be a help file available called vbscript56.chm which covered filesystemobjects, but I can't find it now. I did find this site which appears to be pretty helpful: http://www.excelsig.org/VBA/FileSystemObject.htm Best of Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com Sent: Wednesday, October 03, 2007 12:39 AM To: Access Developers discussion and problemsolving Subject: [AccessD] Basic Scripting Question Hi, I am discovering the world of scripting / vbscript Coding in VBA (Access2003) In the context for a code line like Set fs = CreateObject("Scripting.FileSystemObject") how can I get intellisence into the created object? So that if I code fs. the various properties and methods will appear What reference do I need to set? If I set a reference, is that what is called 'early binding' For the code to work I understand I don't need to set a reference, right. But what library is driving the created object, providing properties and methods? borge -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 10:20:01 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 08:20:01 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: At least part of my confusion is in which control's events you're trying to use. If you want to keep the focus, use the beforeupdate event of each control to call a validation routine. Just remember that you have to handle the situation where the other date hasn't yet been entered. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 02, 2007 1:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I tried moving the error checking code from the OnExit event to the AfterUpdate event but after the error check occurs the focus moves to the next text box. With the OnExit event the focus goes back to the textbox that has the bad value. Here is the error checking code. If IsNull(Me!StartDate) Then MsgBox "You must enter a start date" Cancel = True ElseIf CVDate(Me!StartDate) > CVDate(EndDate) Then MsgBox "Invalid Date. Start date must be before end date" Cancel = True Else Me!EndDate.Enabled = True Me!EndDate.SetFocus DoCmd.OpenQuery "qry All Manifolds Production for a Time Interval" Forms![frm All Manifolds Chart 90 Days].chtAllManifolds1.Requery Me.Repaint End If -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust - From rockysmolin at bchacc.com Wed Oct 3 12:51:58 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 3 Oct 2007 10:51:58 -0700 Subject: [AccessD] Lamp-Based Solution Message-ID: <003901c805e6$18260160$0301a8c0@HAL9005> My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky From ssharkins at gmail.com Wed Oct 3 12:59:15 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 13:59:15 -0400 Subject: [AccessD] consulting fees Message-ID: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. From ssharkins at gmail.com Wed Oct 3 13:05:13 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 14:05:13 -0400 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> Martin said it best a long time ago -- most problems developers have with Access are their own fault. The product is very stable if you use it the way you're supposed to. Susan H. On 10/3/07, Rocky Smolin at Beach Access Software wrote: > > My system is being evaluated by a fellow in Singapore. He writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes attached > for > your kind attention. They have bad experiences with ACCESS, and are very > negative about the use of ACCESS. The information available from the web > search also indicates that there are known problems of ACCESS especially > if > it is linked to other software tools. > > It would be very difficult for us to market a software solution that is > not > stable. We would have welcome the LAMP-based solution for portability > across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From cfoust at infostatsystems.com Wed Oct 3 13:08:13 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 11:08:13 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> References: <003901c805e6$18260160$0301a8c0@HAL9005> <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> Message-ID: Besides, he isn't in the market for Access at all if he wants solutions that port to other platforms. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 11:05 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Lamp-Based Solution Martin said it best a long time ago -- most problems developers have with Access are their own fault. The product is very stable if you use it the way you're supposed to. Susan H. On 10/3/07, Rocky Smolin at Beach Access Software wrote: > > My system is being evaluated by a fellow in Singapore. He writes > among other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes > attached for your kind attention. They have bad experiences with > ACCESS, and are very negative about the use of ACCESS. The information > available from the web search also indicates that there are known > problems of ACCESS especially if it is linked to other software tools. > > It would be very difficult for us to market a software solution that > is not stable. We would have welcome the LAMP-based solution for > portability across Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lmrazek at lcm-res.com Wed Oct 3 13:12:51 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Wed, 3 Oct 2007 13:12:51 -0500 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <023301c805e9$02e881d0$056fa8c0@lcmdv8000> Hi Rocky: LAMP = Linux, Apache, MySQL, PHP ... Basically it looks like they want an "open source" web-based solution. I guess you can't write bad code in PHP? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 03, 2007 12:52 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Lamp-Based Solution My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From delam at zyterra.com Wed Oct 3 13:25:00 2007 From: delam at zyterra.com (delam at zyterra.com) Date: Wed, 3 Oct 2007 18:25:00 +0000 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> That is right along the lines of what I charge. Sound very appropriate to the market in Texas. Debbie Sent via BlackBerry by AT&T -----Original Message----- From: "Susan Harkins" Date: Wed, 3 Oct 2007 13:59:15 To:AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From carbonnb at gmail.com Wed Oct 3 13:25:05 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 14:25:05 -0400 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: On 10/3/07, Rocky Smolin at Beach Access Software wrote: > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? LAMP = Linux / Apache / MySQL / PHP Basically open source software/solutions. Although... Linux can be Linux/Window/ Mac Unix MySQL can be MySQL/PostGres or any other open source DB PHP can be PHP, Python, Perl, or even Ruby on Rails these days. The Access comment is the same old same old issues IT has with Access dbs. They are just toys and not for real development. The LAMP solution wouldn't be bad if you wanted to open up your code for all eyes to see, since these are all non-compiled languages, but (and I hate to say it because it sounds so derogatory) scripting languages. Sure you can obfuscate the code, but with enough time and some automated tools, can be deobfuscated (is that even a word?) I'm working on a side LAMP project right now, so I'm knee deep into it. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From ssharkins at gmail.com Wed Oct 3 13:53:04 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 14:53:04 -0400 Subject: [AccessD] consulting fees In-Reply-To: <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> Message-ID: <17c80a4d0710031153q4d2c7cd1n603ef6b68755ea43@mail.gmail.com> Thanks Deb! Susan H. That is right along the lines of what I charge. Sound very appropriate to the market in Texas. From dwaters at usinternet.com Wed Oct 3 13:58:31 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 13:58:31 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <003901c805ef$64a337c0$0200a8c0@danwaters> Hi Charlotte, I charge slightly less in the Minneapolis area - no one has an issue with this. Customers only seem to have an issue with 'what is in the budget' or with total cost. Dan Waters -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 12:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Wed Oct 3 13:58:55 2007 From: JHewson at karta.com (Jim Hewson) Date: Wed, 3 Oct 2007 13:58:55 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> Susan, I'm in San Antonio and in my experience, your fees are appropriate. In some cases, it might be a little low. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 12:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 3 14:13:02 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 15:13:02 -0400 Subject: [AccessD] consulting fees In-Reply-To: <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> Message-ID: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. From accessd at shaw.ca Wed Oct 3 14:16:19 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 12:16:19 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: Hi Rocky: L Linux - instead of Windows OS A Apache - instaed of IIS M MySQL - instead of MDB/MS SQL P PHP - instead of VB/VBA/VB.Net or any other Windows language. They are also suggesting a Browser/web-based solution. I wonder if they really know what they are asking for? We are talking a major major re-write... Sounds like the old Access is light weight and unstable statement again. Jim ----- Original Message ----- From: Rocky Smolin at Beach Access Software Date: Wednesday, October 3, 2007 10:52 am Subject: [AccessD] Lamp-Based Solution To: 'Access Developers discussion and problem solving' > My system is being evaluated by a fellow in Singapore. He > writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes > attached for > your kind attention. They have bad experiences with ACCESS, and > are very > negative about the use of ACCESS. The information available from > the web > search also indicates that there are known problems of ACCESS > especially if > it is linked to other software tools. > > It would be very difficult for us to market a software solution > that is not > stable. We would have welcome the LAMP-based solution for > portability across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him > about the > problems his staff see with Access? Is this the same old > ORACLE/SQLparochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jimdettman at verizon.net Wed Oct 3 14:25:21 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 03 Oct 2007 15:25:21 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <003301c805f3$26589330$8abea8c0@XPS> I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Wed Oct 3 14:36:24 2007 From: JHewson at karta.com (Jim Hewson) Date: Wed, 3 Oct 2007 14:36:24 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0197F8@karta-exc-int.Karta.com> Consulting fees are usually higher than development because of the expertise required. We use consultants for short term projects or when we need a specific skill set for a brief period. Depending on the contract, if a person is an employee we usually double their hourly "rate" and sometimes add "profit" to the number. The rate is the annual salary divided by 2080 hours. We have used consultants with an hourly rate of $200 and more and felt we got a bargain! Project Managers and QC and SMEs are usually paid more than the developer. We charge between $65 and $125 per hour for technical/developers depending on the expertise of the person and the complexity of the contract. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 2:13 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From delam at zyterra.com Wed Oct 3 14:41:09 2007 From: delam at zyterra.com (delam at zyterra.com) Date: Wed, 3 Oct 2007 19:41:09 +0000 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com><17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> Message-ID: <624598587-1191440257-cardhu_decombobulator_blackberry.rim.net-1418299948-@bxe018.bisx.prod.on.blackberry> I think the hourly rate should be covering any professional services, so the issue of straight development is not an issue in my mind. Debbie Sent via BlackBerry by AT&T -----Original Message----- From: "Susan Harkins" Date: Wed, 3 Oct 2007 15:13:02 To:"Access Developers discussion and problem solving" Subject: Re: [AccessD] consulting fees > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Wed Oct 3 14:39:19 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 3 Oct 2007 15:39:19 -0400 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > From carbonnb at gmail.com Wed Oct 3 14:47:50 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 15:47:50 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: On 10/3/07, Arthur Fuller wrote: > I must be the cheapest game in town. Some gigs I do for less than $50 an > hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the > greenback. But still nowhere near what some of you charge. Wow. There's no > one in Canada that would pay $135 an hour, unless you can cure cancer. I dunno 'bout that Arthur. Last gig I did was earlier this summer and I charged $95 and hour. Mind you that wasn't development but Mail Admin crap not development. He didn't like the price but paid it. I even told him I normally charge in USD (which I do, since most of the work I've done has been for folks in US) but charged him CAD. Although I got screwed recently with the high dollar. I lost $3 CAD by taking USD for payment on a different gig.:( -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From ssharkins at gmail.com Wed Oct 3 14:54:48 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 15:54:48 -0400 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> Where are you? I think you definitely need to increase your rates with your next client! ;) Susan H. I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. From dwaters at usinternet.com Wed Oct 3 15:27:09 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 15:27:09 -0500 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: <000301c805fb$c675acb0$0200a8c0@danwaters> Arthur, When I started in 2003, I also charged $50/hr. Next year $75, and so on. At that time I was talking to people who would give me some of their time as one-time 'mentors'. Universally, they pinged on me about my low rates. The first person I talked with said I should charge $125/hr to start and move up to $175/hr in a couple of years. They were basing their statements on the Business Process Management System I've developed, saying that this is a big money maker for companies. A few years later, I now know that they were correct. We all partly base our judgment of value on something's price. Sometimes there's simply no way to do otherwise (like with programmers). So, if you are the lowest rate, then customers may think of you as the lowest value or quality. Some business customers are proud of spending a lot of money - they can then brag that it cost THIS MUCH - and their buddies wish they could do the same. Would you like a Cadillac? Why? Because everyone around you thinks you can afford it! Raise your rates until you get some pushback - then you know you're charging about the right amount. Here's to the new mansion you'll be buying in a few years! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 03, 2007 2:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From spike at tenbus.co.uk Wed Oct 3 13:21:33 2007 From: spike at tenbus.co.uk (Webadmin - Tenbus) Date: Wed, 03 Oct 2007 19:21:33 +0100 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <4703DDAD.6040908@tenbus.co.uk> LAMP = Linux, Apache, MySQL, PHP = free. Regards Chris Foote Rocky Smolin at Beach Access Software wrote: > My system is being evaluated by a fellow in Singapore. He writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes attached for > your kind attention. They have bad experiences with ACCESS, and are very > negative about the use of ACCESS. The information available from the web > search also indicates that there are known problems of ACCESS especially if > it is linked to other software tools. > > It would be very difficult for us to market a software solution that is not > stable. We would have welcome the LAMP-based solution for portability across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > From cfoust at infostatsystems.com Wed Oct 3 16:33:27 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:33:27 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <023301c805e9$02e881d0$056fa8c0@lcmdv8000> References: <003901c805e6$18260160$0301a8c0@HAL9005> <023301c805e9$02e881d0$056fa8c0@lcmdv8000> Message-ID: LOL Bad programmers can write bad code in ANY language. How's that for talent?? ;0> Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Wednesday, October 03, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Lamp-Based Solution Hi Rocky: LAMP = Linux, Apache, MySQL, PHP ... Basically it looks like they want an "open source" web-based solution. I guess you can't write bad code in PHP? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 03, 2007 12:52 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Lamp-Based Solution My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Wed Oct 3 16:37:15 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 03 Oct 2007 17:37:15 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> Message-ID: <001401c80605$914e73a0$8abea8c0@XPS> Susan, <> Sorry; Based in Syracuse NY, with clients across the country. <> Probably. I've had the same rate now for quite a few years. And I'm actually a bit cheaper then that as I offer the rate of $55/hr for extended projects (anything more then a couple of weeks). Mind you though, I charge for *everything*. If the owner wants to shoot the breeze for 15 minutes, they get billed for it. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 3:55 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees Where are you? I think you definitely need to increase your rates with your next client! ;) Susan H. I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 16:36:48 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:36:48 -0700 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 16:38:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:38:55 -0700 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: Even when you're designing the whole system, figuring out the requirements from all the dust they blow your way and then making it work? I thought our neighbors to the North were quality seekers. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 03, 2007 12:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I > do; development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 3 17:35:19 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 15:35:19 -0700 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: Hi Arthur: You can not charge more than $50.00 an hour unless you are a company... greater depth, more reliability and more certifications/degrees is the reason given. Want to become a company and then we can say we a nation wide? Jim ----- Original Message ----- From: Arthur Fuller Date: Wednesday, October 3, 2007 12:55 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > I must be the cheapest game in town. Some gigs I do for less > than $50 an > hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead > of the > greenback. But still nowhere near what some of you charge. Wow. > There's no > one in Canada that would pay $135 an hour, unless you can cure cancer. > > A. > > On 10/3/07, Jim Dettman wrote: > > > > > > I must be cheap as I'm charging > $70/hr. Doesn't matter what I do; > > development, training, doc's, travel time, etc. > > > > I charge for my time and not the skill set. > > > > Jim. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From ssharkins at gmail.com Wed Oct 3 18:37:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 19:37:06 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> > > You can not charge more than $50.00 an hour unless you are a company... =======Says who? Susan H. From fuller.artful at gmail.com Wed Oct 3 18:51:23 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 3 Oct 2007 19:51:23 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> Message-ID: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> This might be a border issue, Susan. This side of the border, I think this is correct. I could be wrong. I'm no lawyer. Arthur On 10/3/07, Susan Harkins wrote: > > > > > You can not charge more than $50.00 an hour unless you are a company... > > > > =======Says who? > > Susan H. > From carbonnb at gmail.com Wed Oct 3 19:03:00 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 20:03:00 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Arthur Fuller wrote: > This might be a border issue, Susan. This side of the border, I think this > is correct. I could be wrong. I'm no lawyer. If this is true then I'm breaking the law everytime I do work for anyone. I don't think I've ever charged less than $50 per hour. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Wed Oct 3 19:04:28 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 17:04:28 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com><17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com><29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Who says crime doesn't pay?? LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Wednesday, October 03, 2007 5:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees On 10/3/07, Arthur Fuller wrote: > This might be a border issue, Susan. This side of the border, I think > this is correct. I could be wrong. I'm no lawyer. If this is true then I'm breaking the law everytime I do work for anyone. I don't think I've ever charged less than $50 per hour. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 3 20:21:58 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 21:21:58 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: <17c80a4d0710031821q5b0c5604j368cd15b7042638c@mail.gmail.com> You have fixed fees in Canada? Susan H. This might be a border issue, Susan. This side of the border, I think this is correct. I could be wrong. I'm no lawyer. From carbonnb at gmail.com Wed Oct 3 20:32:02 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 21:32:02 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Charlotte Foust wrote: > Who says crime doesn't pay?? LOL I just wish it was easier to find victims, er clients :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From pcs at azizaz.com Wed Oct 3 20:49:00 2007 From: pcs at azizaz.com (pcs at azizaz.com) Date: Thu, 4 Oct 2007 11:49:00 +1000 (EST) Subject: [AccessD] Basic Scripting Question Message-ID: <20071004114900.DEI18710@dommail.onthenet.com.au> Hi Dan, It appears that the vbscript56.chm has been scrapped by M$. VBScript is now part of their .NET Framework... I found this - may have your interest ... http://msdn2.microsoft.com/en-us/library/t0aew7h6.aspx Regards Borge ---- Original message ---- >Date: Wed, 3 Oct 2007 07:32:12 -0500 >From: "Dan Waters" >Subject: Re: [AccessD] Basic Scripting Question >To: "'Access Developers discussion and problem solving'" > >Hi Borge, > >There used to be a help file available called vbscript56.chm which covered >filesystemobjects, but I can't find it now. > >I did find this site which appears to be pretty helpful: > >http://www.excelsig.org/VBA/FileSystemObject.htm > >Best of Luck! >Dan > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com >Sent: Wednesday, October 03, 2007 12:39 AM >To: Access Developers discussion and problemsolving >Subject: [AccessD] Basic Scripting Question > >Hi, >I am discovering the world of scripting / vbscript > >Coding in VBA (Access2003) > >In the context for a code line like > > Set fs = CreateObject("Scripting.FileSystemObject") > > >how can I get intellisence into the created object? > >So that if I code fs. the various properties and methods >will appear > >What reference do I need to set? > >If I set a reference, is that what is called 'early binding' > >For the code to work I understand I don't need to set a >reference, right. > >But what library is driving the created object, providing >properties and methods? > >borge >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 3 21:08:32 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 19:08:32 -0700 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> Message-ID: Hi Susan... It is no rule just observation working both as a company and as a private contractor... It is the expectations of local clients. Jim ----- Original Message ----- From: Susan Harkins Date: Wednesday, October 3, 2007 4:37 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > > > > You can not charge more than $50.00 an hour unless you are a > company... > > > =======Says who? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From accessd at shaw.ca Wed Oct 3 21:27:05 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 19:27:05 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Bryan; I thought you worked for the government... What department do you work for? Jim ----- Original Message ----- From: Charlotte Foust Date: Wednesday, October 3, 2007 5:07 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > Who says crime doesn't pay?? LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan > Carbonnell > Sent: Wednesday, October 03, 2007 5:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] consulting fees > > On 10/3/07, Arthur Fuller wrote: > > This might be a border issue, Susan. This side of the border, > I think > > this is correct. I could be wrong. I'm no lawyer. > > If this is true then I'm breaking the law everytime I do work for > anyone. I don't think I've ever charged less than $50 per hour. > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preservedbody, but rather to skid in sideways, totally worn out, > shouting "What a > great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From carbonnb at gmail.com Thu Oct 4 04:36:48 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 4 Oct 2007 05:36:48 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Jim Lawrence wrote: > Bryan; I thought you worked for the government... What department do you work for? Yep. My day job is working for the CBC in the Training department of the Toronto TV Production Centre. All the fees I've charged have been for side gigs I do, trying to get outta the CBC. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jimdettman at verizon.net Thu Oct 4 07:49:31 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 08:49:31 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <01d401c80685$022b5370$8abea8c0@XPS> Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lmrazek at lcm-res.com Thu Oct 4 09:01:20 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Thu, 4 Oct 2007 09:01:20 -0500 Subject: [AccessD] consulting fees In-Reply-To: <01d401c80685$022b5370$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> Message-ID: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Thu Oct 4 09:12:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Thu, 4 Oct 2007 10:12:06 -0400 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <17c80a4d0710040712x69dea302wd0dbb1f21feae0ee@mail.gmail.com> First, you have to define bug and an unspecified request for change. A bug is something they asked for, but isn't working as they expected. If you can determine that the problem is on their end -- they didn't supply the right parameters, etc. -- you might try to charge for fixing that, but the convincing might take more time than just fixing the dang thing. If you made the mistake, you fix it for free. Changing something they don't like is up in the air -- if it's a simple fix, do it for the sake of good will. If it's going to take some time, send them a quote. Or, you could put them on a monthly service fee and do whatever they like as they crop up. This seems to be a popular trend, but I can see the sell being difficult for smaller applications. Susan H. On 10/4/07, Lawrence Mrazek wrote: > > Jim mentioned bug fixes ... Do we have opinions on whether you charge for > them or not? > > Larry Mrazek > LCM Research, Inc. > www.lcm-res.com > lmrazek at lcm-res.com > ph. 314-432-5886 > mobile: 314-496-1645 > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 7:50 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > Charlotte, > > <> > > Hum...don't know about that. Long ago, my rate was approx double what it > was now and it caused a multitude of problems. > > One of which was the never ending fight with some clients about what was > considered billable or not. Every invoice I sent was checked and god > forbid > I took ten minutes to get a coffee and forget to deduct it. Bug fixes was > another. Many times I got the "I'm not paying you $135/hr to make > mistakes" > comment. They expected everything to be fixed for free. Of course that > meant everything needed to be documented to the hilt, which actually > slowed > down the pace of many projects. > > There is also the issue of resentment that you need to deal with. A lot > of management and employees end up with the attitude that your "one of > those" (highly paid consultants) instead of "one of them" (a guy trying to > make a living). > > So quite some time ago, I cut my rate in half (has to be at least ten > years). As a result, I have a lot less headaches, still make $100K per > year, which is quite comfortable for where I live, have never been without > full time work, and I have a lot of happy clients that I can deal with > easily. > > There are of course some drawbacks, like never having enough free time to > learn new things, etc, but I'm happy enough with the way things are. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust > Sent: Wednesday, October 03, 2007 5:37 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] consulting fees > > You don't set enough value on your time, Jim. I only offer that kind of a > rate to non-profits or special buddies. My normal rate is (was, I haven't > done any consulting lately) between $150 and $200 depending on how much > they > irritate me! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Wednesday, October 03, 2007 12:25 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins > Sent: Wednesday, October 03, 2007 1:59 PM > To: AccessD at databaseadvisors.com > Subject: [AccessD] consulting fees > > I have a unique consulting opportunity and I want to make sure I don't > under/over bid myself -- it's strictly for technical expertise -- not a > development or writing project. I'd be reviewing technical content for > technical accuracy, comprehension, and advice. This is much more than a > technical editor -- they already have that -- but rather, I'd be acting as > a > technical advisor/collaborator. > > My consulting fees are $135 an hour, but I'm in Kentucky and no one ever > even bats an eye. This company is in Texas. I don't do development work > anymore, period. > > I don't want to be too nosy and ask you guys what you charge. Advice? > Opinions? Insight? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Thu Oct 4 09:16:50 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 4 Oct 2007 07:16:50 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <000601c80691$34cf6210$0301a8c0@HAL9005> I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.0/1048 - Release Date: 10/3/2007 8:22 PM From jwcolby at colbyconsulting.com Thu Oct 4 09:29:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 10:29:51 -0400 Subject: [AccessD] consulting fees In-Reply-To: <01d401c80685$022b5370$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> Message-ID: <005001c80693$0717f970$657aa8c0@M90> Jim, I have to say your reasoning works for me. Add to that the fact that as your gross income goes up, your net taxable goes up even faster and it ends up that a horrific amount of the additional income goes to the government. Most of your deductible business expenses are approximately fixed - mileage traveled to see clients doesn't vary based on the rate you charge. Computers purchased, IRA contributions, medical insurance, all that stuff is not directly related to your rate. Those expenses are a relatively stable fixed amount so as your rate goes up your "tax deductible percentage" goes down, and thus the taxable amount goes up and the tax rate then goes up. We work and work to make more money only to find the government taking a larger and larger cut. But hey, the government's coffers fill up faster. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 8:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Thu Oct 4 09:41:30 2007 From: john at winhaven.net (John Bartow) Date: Thu, 4 Oct 2007 09:41:30 -0500 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <011601c80694$a6c0f890$6402a8c0@ScuzzPaq> My 2 cents... A bug is something that doesn't work as agreed upon when delivered or something that was specifically spelled out in a contract beforehand and not delivered with correct functionality. A bug is not something that doesn't work according to what the client wants after the client has approved the initial functionality (6 months or 3 years later). It is also not something that stops working correctly due to an Operating System change, additional software installations (including MS updates) or an infrastructure change (such as networking issues). To be more specific, if something worked correctly upon delivery and doesn't work correctly in the future - it is not a bug. It is a failure of function due to unforeseen changes in the application's environment. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? From DWUTKA at Marlow.com Thu Oct 4 10:00:32 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 4 Oct 2007 10:00:32 -0500 Subject: [AccessD] consulting fees In-Reply-To: <011601c80694$a6c0f890$6402a8c0@ScuzzPaq> Message-ID: If I find the source of a problem and go 'oops' or 'crap', then it's a bug. Otherwise, it's a design change. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Thursday, October 04, 2007 9:42 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees My 2 cents... A bug is something that doesn't work as agreed upon when delivered or something that was specifically spelled out in a contract beforehand and not delivered with correct functionality. A bug is not something that doesn't work according to what the client wants after the client has approved the initial functionality (6 months or 3 years later). It is also not something that stops working correctly due to an Operating System change, additional software installations (including MS updates) or an infrastructure change (such as networking issues). To be more specific, if something worked correctly upon delivery and doesn't work correctly in the future - it is not a bug. It is a failure of function due to unforeseen changes in the application's environment. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From EdTesiny at oasas.state.ny.us Thu Oct 4 10:04:20 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Thu, 4 Oct 2007 11:04:20 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: As you know I'm in NY and we usually pay $125 per hour. However, we have a current contract with a consulting firm at a rate of $105 per hour but you have to factor in that the contract is for 500K. I think your rate is fine. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Susan Harkins > Sent: Wednesday, October 03, 2007 1:59 PM > To: AccessD at databaseadvisors.com > Subject: [AccessD] consulting fees > > I have a unique consulting opportunity and I want to make sure I don't > under/over bid myself -- it's strictly for technical > expertise -- not a > development or writing project. I'd be reviewing technical content for > technical accuracy, comprehension, and advice. This is much > more than a > technical editor -- they already have that -- but rather, I'd > be acting as a > technical advisor/collaborator. > > My consulting fees are $135 an hour, but I'm in Kentucky and > no one ever > even bats an eye. This company is in Texas. I don't do > development work > anymore, period. > > I don't want to be too nosy and ask you guys what you charge. Advice? > Opinions? Insight? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From cfoust at infostatsystems.com Thu Oct 4 10:11:51 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 4 Oct 2007 08:11:51 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: I never charged for them if they were actually bugs and not just a change in the way they WANTED it to work. That's one reason my rate was fairly high. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 10:18:03 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 11:18:03 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <005501c80699$c269b690$657aa8c0@M90> I do the same thing Rocky. There are going to be bugs. Part of the cost of development is making the thing work such that all the remaining bugs (you will NEVER find and fix every single bug) do not effect the operation of the program. I am writing the program for them and so they pay for ALL COSTS of getting the program running. Debugging is just a cost of doing business. The fact that I do not find and fix every single bug before they get the code is irrelevant to the fact that it has to be fixed and someone has to pay for that. I NEVER implying that I write bug free code (except perhaps to you guys ;-), and I make clear that debugging and fixing bugs is a normal part of development that they pay for. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Thursday, October 04, 2007 10:17 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 From jimdettman at verizon.net Thu Oct 4 10:38:56 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 11:38:56 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <008c01c8069c$ae3ac0d0$8abea8c0@XPS> Rocky, That's my take here; if they want it bug free, I'll test the heck out of it, but they'll pay for all that testing. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Thursday, October 04, 2007 10:17 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.0/1048 - Release Date: 10/3/2007 8:22 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Thu Oct 4 10:42:55 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 11:42:55 -0400 Subject: [AccessD] consulting fees In-Reply-To: <005001c80693$0717f970$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <005001c80693$0717f970$657aa8c0@M90> Message-ID: <009501c8069d$3bcf1b80$8abea8c0@XPS> John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:30 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim, I have to say your reasoning works for me. Add to that the fact that as your gross income goes up, your net taxable goes up even faster and it ends up that a horrific amount of the additional income goes to the government. Most of your deductible business expenses are approximately fixed - mileage traveled to see clients doesn't vary based on the rate you charge. Computers purchased, IRA contributions, medical insurance, all that stuff is not directly related to your rate. Those expenses are a relatively stable fixed amount so as your rate goes up your "tax deductible percentage" goes down, and thus the taxable amount goes up and the tax rate then goes up. We work and work to make more money only to find the government taking a larger and larger cut. But hey, the government's coffers fill up faster. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 8:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dw-murphy at cox.net Thu Oct 4 10:56:18 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Thu, 4 Oct 2007 08:56:18 -0700 Subject: [AccessD] Basic Scripting Question In-Reply-To: <20071004114900.DEI18710@dommail.onthenet.com.au> Message-ID: <002301c8069f$19ee6640$0200a8c0@murphy3234aaf1> Take a look at http://msdn2.microsoft.com/en-us/library/ms950396.aspx. Scripting is live and well. I use hta and script files for lots of little maintenance items. Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com Sent: Wednesday, October 03, 2007 6:49 PM To: Access Developers discussion and problemsolving Subject: Re: [AccessD] Basic Scripting Question Hi Dan, It appears that the vbscript56.chm has been scrapped by M$. VBScript is now part of their .NET Framework... I found this - may have your interest ... http://msdn2.microsoft.com/en-us/library/t0aew7h6.aspx Regards Borge ---- Original message ---- >Date: Wed, 3 Oct 2007 07:32:12 -0500 >From: "Dan Waters" >Subject: Re: [AccessD] Basic Scripting Question >To: "'Access Developers discussion and problem solving'" > >Hi Borge, > >There used to be a help file available called vbscript56.chm which covered >filesystemobjects, but I can't find it now. > >I did find this site which appears to be pretty helpful: > >http://www.excelsig.org/VBA/FileSystemObject.htm > >Best of Luck! >Dan > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com >Sent: Wednesday, October 03, 2007 12:39 AM >To: Access Developers discussion and problemsolving >Subject: [AccessD] Basic Scripting Question > >Hi, >I am discovering the world of scripting / vbscript > >Coding in VBA (Access2003) > >In the context for a code line like > > Set fs = CreateObject("Scripting.FileSystemObject") > > >how can I get intellisence into the created object? > >So that if I code fs. the various properties and methods >will appear > >What reference do I need to set? > >If I set a reference, is that what is called 'early binding' > >For the code to work I understand I don't need to set a reference, >right. > >But what library is driving the created object, providing properties >and methods? > >borge >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Thu Oct 4 11:21:26 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Thu, 4 Oct 2007 12:21:26 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <17c80a4d0710040921i3ce3a26dl5daa7081564791dc@mail.gmail.com> Rocky, I have done that too and found it a positive experience for both sides. Susan H. > > So I give them the option - I can send it to them for testing and fix the > bugs they find and change the procedures to suit them, or I can spend a > lot > of time testing all the combinations. I tell them, and I believe this, > that > it's more economical for them to test it. And more effective. I KNOW the > right way to do everything because I wrote the form and the code. Users > do > the craziest things. And the program has to account for that. > > All my clients prefer to be the beta tester. They also understand that > there will be bugs. And I've never had anyone complain about the > additional > cost it takes to make a program work perfectly. Time, yes. Cost, > no. But > I make it clear up front so there's no dispute later. > > From robert at webedb.com Thu Oct 4 12:53:05 2007 From: robert at webedb.com (Robert L. Stewart) Date: Thu, 04 Oct 2007 12:53:05 -0500 Subject: [AccessD] consulting fees In-Reply-To: References: Message-ID: <200710041755.l94HtPE6006500@databaseadvisors.com> Define "bug." If is does not work, I fix it free. If it works the way they wanted and they changed their mind and called it a bug, it is most assuredly billable. If it works and I change it, it is billable. Robert At 10:56 AM 10/4/2007, you wrote: >Date: Thu, 4 Oct 2007 09:01:20 -0500 >From: "Lawrence Mrazek" >Subject: Re: [AccessD] consulting fees >To: "'Access Developers discussion and problem solving'" > >Message-ID: <03ac01c8068f$0c5bec60$056fa8c0 at lcmdv8000> >Content-Type: text/plain; charset="us-ascii" > >Jim mentioned bug fixes ... Do we have opinions on whether you charge for >them or not? > >Larry Mrazek >LCM Research, Inc. >www.lcm-res.com >lmrazek at lcm-res.com >ph. 314-432-5886 >mobile: 314-496-1645 From jengross at gte.net Thu Oct 4 13:10:15 2007 From: jengross at gte.net (Jennifer Gross) Date: Thu, 04 Oct 2007 11:10:15 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <00dd01c806b1$d562d020$6501a8c0@jefferson> Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 13:43:05 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 14:43:05 -0400 Subject: [AccessD] consulting fees In-Reply-To: <00dd01c806b1$d562d020$6501a8c0@jefferson> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <00dd01c806b1$d562d020$6501a8c0@jefferson> Message-ID: <005c01c806b6$67976a10$657aa8c0@M90> >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Thu Oct 4 13:55:53 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Thu, 4 Oct 2007 19:55:53 +0100 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <003801c806b8$311618e0$8119fea9@LTVM> And I bet you call him "Tiny Tim" Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Thu Oct 4 14:15:49 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Thu, 04 Oct 2007 12:15:49 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Ahh... I see Bryan. Just thought you were working in some well heeled department I had never heard about. The whole trick is to get some steady high paying gig. These one offs are great but after a week or so the client wants to see your tail-end. A steady medium priced gig and a few monthly support fee is what I have been living on. Jim ----- Original Message ----- From: Bryan Carbonnell Date: Thursday, October 4, 2007 2:38 am Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > On 10/3/07, Jim Lawrence wrote: > > Bryan; I thought you worked for the government... What > department do you work for? > > Yep. My day job is working for the CBC in the Training > department of > the Toronto TV Production Centre. > > All the fees I've charged have been for side gigs I do, trying > to get > outta the CBC. > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jengross at gte.net Thu Oct 4 18:18:47 2007 From: jengross at gte.net (Jennifer Gross) Date: Thu, 04 Oct 2007 16:18:47 -0700 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <005201c806dc$f09dbbe0$6501a8c0@jefferson> Is he single? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Thu Oct 4 18:43:30 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 4 Oct 2007 18:43:30 -0500 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 1:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Thu Oct 4 20:33:23 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 21:33:23 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <007201c806ef$b8d6e2a0$657aa8c0@M90> I think Jennifer might want to talk to you. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 04, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 1:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 21:50:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 22:50:50 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <009501c8069d$3bcf1b80$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> Message-ID: <007401c806fa$8ac9c9d0$657aa8c0@M90> I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. From anitatiedemann at gmail.com Thu Oct 4 23:50:04 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 5 Oct 2007 14:50:04 +1000 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: John, We at DDI Solultions use our own custom made database. It does everything that your spreadsheet does and also keeps track of who billed what and who incurred the expense as we are 4 partners. We can click a button to produce the tax figures for our accountant and we have an executive summary screen where we can see where we are at regarding invoicing, expected payments, tax saved up etc etc. We each do our own billing and enter our own expenses in the database. We don't spend much time on administration at all. Probably less than 1 hour each per month. Anita 1. How much money we each have 2. How much tax we have each saved up 3. The total $ eachHow much we have under process how much tax we owe On 10/5/07, jwcolby wrote: > > I have developed a really cool and useful spreadsheet to allow me to track > my actual expenses, income, taxes etc. It has so far been a work in > progress, leaving last month's sheet locked and copying it to a new sheet > for this month, then to new sheets for "out into the future". It allows > me > to input my actual billing (from the previous month) or projected billing > which will be the "income". > > I have columns for Expense name, Expense amount, "will pay this someday", > paid but not cleared and cleared checkboxes (actually little Xs). > > Putting an x in those columns copies the expense amount over to a "paid > but > not cleared" and "Paid and cleared" column. The Expense Amount, Billed > Not > Paid and Billed and Paid columns get summed at the bottom. Thus these > three > columns show what my expenses are, what expenses have been paid but the > money has not been deducted from my account, and bills paid and deducted > from my account. > > I use internet banking and can see my bills clear and my account balance > at > any given instant in time which I copy into the spreadsheet as I update > the > Xs that mark bills paid not cleared and paid and cleared. > > Off to the right side I have a pair of columns to track the bank account, > Billing not received, Paid not Cleared etc. > > Also in the same column I have a small section for tax deductible items - > medical insurance, mortgage interest, SEP IRA, FICA (self insurance > actually) etc. > > Way off out of sight I have a section to compute the FICA using the rules > for Sole Proprietor. Another area calculates the Progressive tax on the > actual (annualized) taxable amount. > > And finally a section that computes my taxes (roughly) and feeds it back > in > to the expense column. > > Doing all of this allows all of my totals to change as I enter any bill > over > in the left hand "expense amount" column. Also as I change my billing it > updates my taxes owed and subtracts all expenses (taxes are fed into the > expense column) to give me a "net after expenses" (truly sad). > > But... The good news is that for the first time EVER I know my financial > state given my bills and a billing amount. And it WORKS! I can see what > my > FICA is so I can save that in a tax account, and what my state and federal > taxes will be after legitimate deductions so I can save that in a tax > account. In future months I can play with how much I pay to credit cards > (I'm paying them off), how much I pay into my various tax deductions such > as > medical and SEP Ira and have that instantly feed back to tell me how much > has to go into the tax account (again, roughly) as my deductions > change. Or > how much I have to work (bill) to pay all the bills and have X dollars > left > over. It can be depressing but at least I know where I stand or where I > could stand if I worked 20 hours every day. > > Would anyone care to comment on what you use to know your financial > position. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 11:43 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > John, > > You make an excellent point. There are some other things that do go up as > a result as well, like workmen's comp and disability insurance, but those > are minor when compared to the government's take. > > Jim. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Fri Oct 5 00:40:55 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 4 Oct 2007 22:40:55 -0700 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <000e01c80712$4d03ce80$0301a8c0@HAL9005> Embarrassing to admit but I still keep the corporate books on a thirteen column green pad. In pencil. Been working effectively like that since 1980. Think of it as the original spreadsheet. I use the cigar box method of accounting. Put all the money in the box as it comes in. Take money out to pay the business expenses as they come in. Whatever's left in the box at the end of the year is mine. One paycheck in December - the accountant calculates all the state and federal skim. Keeps things simple. BTW, I take the minimum paycheck I can get away with. The balance, God willing there is some, goes directly onto my personal return anyway since it's a sub-S corp. But it saves quite a bit on the SS - both mine and the corp's - and Medicare taxes and some state taxes. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: 10/4/2007 5:03 PM From carbonnb at gmail.com Fri Oct 5 04:32:16 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 5 Oct 2007 05:32:16 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/4/07, Jim Lawrence wrote: > Ahh... I see Bryan. Just thought you were working in some well heeled department I had never heard about. No, Just a super secret agency, that's why I said I work for the Mother Corp :) > The whole trick is to get some steady high paying gig. These one offs are great but after a week or so the client wants to see your tail-end. Naw, the whole trick is getting one well paying gig that will let you retire :) > A steady medium priced gig and a few monthly support fee is what I have been living on. I just started living on my base salary again, not the management upgrade I've been in for the last 6 years :( Nothing like a 25% pay cut!! -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Fri Oct 5 07:20:38 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 08:20:38 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <000e01c80712$4d03ce80$0301a8c0@HAL9005> References: <007401c806fa$8ac9c9d0$657aa8c0@M90> <000e01c80712$4d03ce80$0301a8c0@HAL9005> Message-ID: <000201c8074a$2433ad80$657aa8c0@M90> LOL, OK. I am sure that the rest of us wish we could be paid once per year. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 05, 2007 1:41 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees Embarrassing to admit but I still keep the corporate books on a thirteen column green pad. In pencil. Been working effectively like that since 1980. Think of it as the original spreadsheet. I use the cigar box method of accounting. Put all the money in the box as it comes in. Take money out to pay the business expenses as they come in. Whatever's left in the box at the end of the year is mine. One paycheck in December - the accountant calculates all the state and federal skim. Keeps things simple. BTW, I take the minimum paycheck I can get away with. The balance, God willing there is some, goes directly onto my personal return anyway since it's a sub-S corp. But it saves quite a bit on the SS - both mine and the corp's - and Medicare taxes and some state taxes. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: 10/4/2007 5:03 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Fri Oct 5 08:20:25 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 5 Oct 2007 08:20:25 -0500 Subject: [AccessD] consulting fees In-Reply-To: <007201c806ef$b8d6e2a0$657aa8c0@M90> Message-ID: LOL, not single. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 8:33 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I think Jennifer might want to talk to you. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 04, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jimdettman at verizon.net Fri Oct 5 08:26:17 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 09:26:17 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <024d01c80753$5efdf200$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Fri Oct 5 08:31:19 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 09:31:19 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <024e01c80754$1f1d4b80$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 5 08:46:30 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 5 Oct 2007 09:46:30 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <024d01c80753$5efdf200$8abea8c0@XPS> Message-ID: <003a01c80756$256f9270$4b3a8343@SusanOne> I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. > John, > > < position.>> > > I take a pretty simplistic approach to my books. My AR is setup in > Access, which gives me an aging. I really don't look at it too much as I > bill bi-monthly and my terms are net 15. If I don't see a check, work > stops > until I get one (actually, I've never had to resort to that yet). Part of > the idea behind that is if there is a problem, it surfaces real quick. It > also keeps up a nice cash flow. > > As far as AP, I have so few bills really that it's just simpler to do > them > by hand. For payroll I have a single spreadsheet to calculate the FICA > and > record Federal and State taxes owed. Since I deposit monthly for both > it's > easy to keep on top of those. I also use Access for tracking my expense > reports, which I typically don't bother with till year end. > > At the end of the year, I do an income/expense statement just by looking > at my billings and then running through the check book and cc statements > to > pickup expenses. I also come up with some balance sheet totals, and then > send it to the accountant. He takes care of the corporate tax filings. > Actually, he's been after me for years to get it all computerized with > something, but client work always comes first, so it's something that I > just > never seem to get around to. > > Only other thing I need to keep track of is Sales Taxes, but I try to > avoid selling any hardware or software directly anymore. What I do is > make > recommendations, scope out sources, and then turn it over to the client to > order it directly. I do pay some use taxes on stuff I buy over the > Internet, like my MSDN Universal subscription, which I keep track of on a > spreadsheet and remit quarterly. > > Jim. > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 04, 2007 10:51 PM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Budget spreadsheet - was RE: consulting fees > > I have developed a really cool and useful spreadsheet to allow me to track > my actual expenses, income, taxes etc. It has so far been a work in > progress, leaving last month's sheet locked and copying it to a new sheet > for this month, then to new sheets for "out into the future". It allows > me > to input my actual billing (from the previous month) or projected billing > which will be the "income". > > I have columns for Expense name, Expense amount, "will pay this someday", > paid but not cleared and cleared checkboxes (actually little Xs). > > Putting an x in those columns copies the expense amount over to a "paid > but > not cleared" and "Paid and cleared" column. The Expense Amount, Billed > Not > Paid and Billed and Paid columns get summed at the bottom. Thus these > three > columns show what my expenses are, what expenses have been paid but the > money has not been deducted from my account, and bills paid and deducted > from my account. > > I use internet banking and can see my bills clear and my account balance > at > any given instant in time which I copy into the spreadsheet as I update > the > Xs that mark bills paid not cleared and paid and cleared. > > Off to the right side I have a pair of columns to track the bank account, > Billing not received, Paid not Cleared etc. > > Also in the same column I have a small section for tax deductible items - > medical insurance, mortgage interest, SEP IRA, FICA (self insurance > actually) etc. > > Way off out of sight I have a section to compute the FICA using the rules > for Sole Proprietor. Another area calculates the Progressive tax on the > actual (annualized) taxable amount. > > And finally a section that computes my taxes (roughly) and feeds it back > in > to the expense column. > > Doing all of this allows all of my totals to change as I enter any bill > over > in the left hand "expense amount" column. Also as I change my billing it > updates my taxes owed and subtracts all expenses (taxes are fed into the > expense column) to give me a "net after expenses" (truly sad). > > But... The good news is that for the first time EVER I know my financial > state given my bills and a billing amount. And it WORKS! I can see what > my > FICA is so I can save that in a tax account, and what my state and federal > taxes will be after legitimate deductions so I can save that in a tax > account. In future months I can play with how much I pay to credit cards > (I'm paying them off), how much I pay into my various tax deductions such > as > medical and SEP Ira and have that instantly feed back to tell me how much > has to go into the tax account (again, roughly) as my deductions change. > Or > how much I have to work (bill) to pay all the bills and have X dollars > left > over. It can be depressing but at least I know where I stand or where I > could stand if I worked 20 hours every day. > > Would anyone care to comment on what you use to know your financial > position. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 11:43 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > John, > > You make an excellent point. There are some other things that do go up > as > a result as well, like workmen's comp and disability insurance, but those > are minor when compared to the government's take. > > Jim. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jimdettman at verizon.net Fri Oct 5 09:07:36 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 10:07:36 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <026d01c80759$1acd8720$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 5 09:43:26 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 5 Oct 2007 09:43:26 -0500 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <003a01c80756$256f9270$4b3a8343@SusanOne> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><00 3301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693 $0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8a c9c9d0$657aa8c0@M90><024d01c80753$5efdf200$8abea8c0@XPS> <003a01c80756$256f9270$4b3a8343@SusanOne> Message-ID: Ya'll should take a look at the neat receipts scanner. It is a very nice scanner designed specifically to scan and keep track of receipts in a database. It could serve as a great enhancement to the spreadsheets you have all described. http://www.neatreceipts.com/ Personally I use this and quicken home/business. I've boiled everything down to where it is almost all electronic. I seldom write checks anymore. All paychecks, bank statements , investment accounts, 401k, credit card accounts, etc. transactions I download directly into quicken. I download almost all the statements in pdf form to store. Tax info loads directly from quicken into turbotax. Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 05, 2007 8:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Fri Oct 5 09:48:46 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 10:48:46 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <026d01c80759$1acd8720$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <026d01c80759$1acd8720$8abea8c0@XPS> Message-ID: <000801c8075e$d5c77cc0$657aa8c0@M90> I'm not sure where the problem lies but I have received three copies of this email. Only one from everyone else so it appears that it is probably somewhere in your vicinity. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 05, 2007 10:08 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From EdTesiny at oasas.state.ny.us Fri Oct 5 09:51:01 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Fri, 5 Oct 2007 10:51:01 -0400 Subject: [AccessD] Fields in Datasheet View Message-ID: Hi All, A colleague has a table with a field 'matscode'. It appears in the table in design mode. In datasheet mode it is missing. If you use the table to create a form, query or report the field is where it should be, it's the third field in the table. It's just not visible in datasheet view, any clue as to why? MTIA Ed Edward P. Tesiny Assistant Director for Evaluation Bureau of Evaluation and Practice Improvement New York State OASAS 1450 Western Ave. Albany, New York 12203-3526 Phone: (518) 485-7189 Fax: (518) 485-5769 Email: EdTesiny at oasas.state.ny.us From cfoust at infostatsystems.com Fri Oct 5 09:53:03 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 07:53:03 -0700 Subject: [AccessD] Has Data in .Net Message-ID: Here's a routine I came up with to quickly answer the question of whether any data exists in a record, outside of the key fields. We populate a field with a new record if there are none, but we want to throw it away if they don't enter any data. CurrentRow is a function that returns a datarowview of the current record in a single record form using the binding context. Private Function HasData() As Boolean ' Charlotte Foust 03-Oct-07 Dim blnData As Boolean = False Dim intKeys As Integer = 2 Try Dim flds() As Object = Me.CurrentRow.ItemArray ' skip the PK columns, which are filled by default For i As Integer = intKeys To flds.GetLength(0) - 1 If Not IsDBNull(flds(i)) Then blnData = True Exit For End If Next Catch ex As Exception UIExceptionHandler.ProcessException(ex) End Try Return blnData End Function This is in a subform module, but it could pretty easily be converted to a public function in a shared class. Charlotte Foust From EdTesiny at oasas.state.ny.us Fri Oct 5 10:11:19 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Fri, 5 Oct 2007 11:11:19 -0400 Subject: [AccessD] Fields in Datasheet View In-Reply-To: References: Message-ID: Never mind, deleted the field and re-entered it and it appears in datasheet view. Guess there was a hiccup in the system. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Friday, October 05, 2007 10:51 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Fields in Datasheet View > > Hi All, > A colleague has a table with a field 'matscode'. It appears in the > table in design mode. In datasheet mode it is missing. If > you use the > table to create a form, query or report the field is where it > should be, > it's the third field in the table. It's just not visible in datasheet > view, any clue as to why? > MTIA > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement > New York State OASAS > 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jimdettman at verizon.net Fri Oct 5 10:22:18 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 11:22:18 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <000801c8075e$d5c77cc0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <026d01c80759$1acd8720$8abea8c0@XPS> <000801c8075e$d5c77cc0$657aa8c0@M90> Message-ID: <000901c80763$8872c9c0$8abea8c0@XPS> John, My Outlook has timed out in the middle of sending 3 times this morning as my ISP is having problems. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I'm not sure where the problem lies but I have received three copies of this email. Only one from everyone else so it appears that it is probably somewhere in your vicinity. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 05, 2007 10:08 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Fri Oct 5 09:52:26 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 5 Oct 2007 15:52:26 +0100 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: Message-ID: <00e801c8075f$59b104c0$8119fea9@LTVM> Hello All, I don't have the problems you lot seem to be having, but I thought you might like to know about some nice software which I use for my own accounts for the last few years. No frills, but very good. AceMoney. http://www.mechcad.net/products/acemoney/ The lite version (only one account) is totally free. The other is very cheap. Regards Max P.s It also handles investments, tracking etc for you very rich people. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Friday, October 05, 2007 3:43 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees Ya'll should take a look at the neat receipts scanner. It is a very nice scanner designed specifically to scan and keep track of receipts in a database. It could serve as a great enhancement to the spreadsheets you have all described. http://www.neatreceipts.com/ Personally I use this and quicken home/business. I've boiled everything down to where it is almost all electronic. I seldom write checks anymore. All paychecks, bank statements , investment accounts, 401k, credit card accounts, etc. transactions I download directly into quicken. I download almost all the statements in pdf form to store. Tax info loads directly from quicken into turbotax. Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 05, 2007 8:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Fri Oct 5 11:00:20 2007 From: dwaters at usinternet.com (Dan Waters) Date: Fri, 5 Oct 2007 11:00:20 -0500 Subject: [AccessD] Fields in Datasheet View In-Reply-To: References: Message-ID: <002a01c80768$d4fb2080$0200a8c0@danwaters> Ed, The table column may have been hidden in datasheet view. This is just formatting. Right-click on a column and you can see a selection for Hide Columns. Pick the Format menu and you can see a selection to Unhide Columns. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed Sent: Friday, October 05, 2007 10:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Fields in Datasheet View Never mind, deleted the field and re-entered it and it appears in datasheet view. Guess there was a hiccup in the system. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Friday, October 05, 2007 10:51 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Fields in Datasheet View > > Hi All, > A colleague has a table with a field 'matscode'. It appears in the > table in design mode. In datasheet mode it is missing. If > you use the > table to create a form, query or report the field is where it > should be, > it's the third field in the table. It's just not visible in datasheet > view, any clue as to why? > MTIA > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement > New York State OASAS > 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Fri Oct 5 11:00:33 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Fri, 05 Oct 2007 09:00:33 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Bryan; Belts will be a little tighter this winter?... Jim ----- Original Message ----- From: Bryan Carbonnell Date: Friday, October 5, 2007 2:33 am Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > On 10/4/07, Jim Lawrence wrote: > > Ahh... I see Bryan. Just thought you were working in some well > heeled department I had never heard about. > > No, Just a super secret agency, that's why I said I work for the > Mother Corp :) > > > The whole trick is to get some steady high paying gig. These > one offs > are great but after a week or so the client wants to see your > tail-end. > > Naw, the whole trick is getting one well paying gig that will > let you retire :) > > > A steady medium priced gig and a few monthly support fee is > what I have been living on. > > I just started living on my base salary again, not the management > upgrade I've been in for the last 6 years :( > > Nothing like a 25% pay cut!! > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jwcolby at colbyconsulting.com Fri Oct 5 11:52:54 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 12:52:54 -0400 Subject: [AccessD] Importing XML into a database Message-ID: <000901c80770$2cefbe20$657aa8c0@M90> I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com From carbonnb at gmail.com Fri Oct 5 11:58:25 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 5 Oct 2007 12:58:25 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/5/07, Jim Lawrence wrote: > Bryan; Belts will be a little tighter this winter?... Yea. :( -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Fri Oct 5 12:06:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 10:06:55 -0700 Subject: [AccessD] Importing XML into a database In-Reply-To: <000901c80770$2cefbe20$657aa8c0@M90> References: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 12:14:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 13:14:40 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: References: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: <000a01c80773$37881dc0$657aa8c0@M90> What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Fri Oct 5 12:47:45 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 10:47:45 -0700 Subject: [AccessD] Importing XML into a database In-Reply-To: <000a01c80773$37881dc0$657aa8c0@M90> References: <000901c80770$2cefbe20$657aa8c0@M90> <000a01c80773$37881dc0$657aa8c0@M90> Message-ID: DataSet. There are about 8 overloads, but here's an example of how we use it to read in our settings file: Dim ds As DataSet ds.ReadXml(_xmlPath) Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:15 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 12:57:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 13:57:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: References: <000901c80770$2cefbe20$657aa8c0@M90><000a01c80773$37881dc0$657aa8c0@M90> Message-ID: <000e01c80779$27296280$657aa8c0@M90> Thanks. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database DataSet. There are about 8 overloads, but here's an example of how we use it to read in our settings file: Dim ds As DataSet ds.ReadXml(_xmlPath) Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:15 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 5 13:41:29 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 5 Oct 2007 14:41:29 -0400 Subject: [AccessD] OT Friday Message-ID: <001901c8077f$59f0bf50$4b3a8343@SusanOne> http://www.randomjoke.com/funny/micropsychic.php Well, I appreciated it. :) Rare that I read an entire article. Susan H. From shamil at users.mns.ru Fri Oct 5 14:01:02 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Fri, 5 Oct 2007 23:01:02 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: <000f01c80782$135a0a30$6401a8c0@nant> Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 14:31:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 15:31:51 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000f01c80782$135a0a30$6401a8c0@nant> References: <000901c80770$2cefbe20$657aa8c0@M90> <000f01c80782$135a0a30$6401a8c0@nant> Message-ID: <000101c80786$61b62c00$657aa8c0@M90> Holy smoke batman! Will this do the same to SQL Server if I change the connection? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 14:54:28 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 15:54:28 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000f01c80782$135a0a30$6401a8c0@nant> References: <000901c80770$2cefbe20$657aa8c0@M90> <000f01c80782$135a0a30$6401a8c0@nant> Message-ID: <000201c80789$8a873590$657aa8c0@M90> Shamil, I generate the XML file using the serialization code provided by .Net. Imports System.IO Imports System.Xml.Serialization Public Class clsSerializableData ''' ''' Serializes the object to disk ''' ''' ''' ''' Public Function mSave(ByVal strFileName As String) As Int16 ' 'Make a temp filename Dim strTmpFileName As String strTmpFileName = strFileName & ".tmp" Dim TmpFileInfo As New FileInfo(strTmpFileName) 'check if it exists If TmpFileInfo.Exists Then Try TmpFileInfo.Delete() Catch ex As Exception Return -1 End Try End If ' 'Open the file Dim stream As New FileStream(strTmpFileName, FileMode.Create) ' 'Save the object mSave(stream) ' 'Close the object stream.Close() 'Remove the existing file Try TmpFileInfo.CopyTo(strFileName, True) Catch ex As Exception Return -2 End Try ' 'Rename the temp file Try TmpFileInfo.Delete() Catch ex As Exception Return -3 End Try End Function ''' ''' Performs the serialization ''' ''' ''' ''' Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function What I really want to do is to add code to this class to allow it to serialize itself to a table. Your code is tantalizing because it takes the end result of my serialization (the xml file) and loads it back in to a table which it then saves back to a data store. Can that code be adapted to short cut the actual storage of the data out to a file? I.e. open a stream that that the object can serialize itself to, but then hand that stream off to be immediately read back and stored in a data set? .Net has provided a very nice facility for serializing a class, but (AFAIK) it can only serialize itself to an XML file. It does so however by serializing itself onto a stream. If that stream can be simly held and not written to file, and then that stream handed back to a dataset to process into a table I would have the holy grail of serialization to a table. Any class could then serialize itself directly into a database table. Of course I am completely incapable of actually coding such a solution if it can even be done. Or perhaps this is doable directly and I am so ignorant that I do not even know it? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Fri Oct 5 14:58:04 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Fri, 5 Oct 2007 23:58:04 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000101c80786$61b62c00$657aa8c0@M90> Message-ID: <000301c8078a$0aedff70$6401a8c0@nant> Hello John, Yes, it will work for MS SQL similar way. And you can also change this code line: Dim cmd As New OleDbCommand("select * from [clsLogData]") If your target table name is different from [clsLogData]. E.g. if it's just [LogData] then you can write: Dim cmd As New OleDbCommand("select * from [LogData]") -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 11:32 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Holy smoke batman! Will this do the same to SQL Server if I change the connection? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Fri Oct 5 17:41:16 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 6 Oct 2007 02:41:16 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000201c80789$8a873590$657aa8c0@M90> Message-ID: <000401c807a0$d765e480$6401a8c0@nant> Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 11:54 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, I generate the XML file using the serialization code provided by .Net. Imports System.IO Imports System.Xml.Serialization Public Class clsSerializableData ''' ''' Serializes the object to disk ''' ''' ''' ''' Public Function mSave(ByVal strFileName As String) As Int16 ' 'Make a temp filename Dim strTmpFileName As String strTmpFileName = strFileName & ".tmp" Dim TmpFileInfo As New FileInfo(strTmpFileName) 'check if it exists If TmpFileInfo.Exists Then Try TmpFileInfo.Delete() Catch ex As Exception Return -1 End Try End If ' 'Open the file Dim stream As New FileStream(strTmpFileName, FileMode.Create) ' 'Save the object mSave(stream) ' 'Close the object stream.Close() 'Remove the existing file Try TmpFileInfo.CopyTo(strFileName, True) Catch ex As Exception Return -2 End Try ' 'Rename the temp file Try TmpFileInfo.Delete() Catch ex As Exception Return -3 End Try End Function ''' ''' Performs the serialization ''' ''' ''' ''' Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function What I really want to do is to add code to this class to allow it to serialize itself to a table. Your code is tantalizing because it takes the end result of my serialization (the xml file) and loads it back in to a table which it then saves back to a data store. Can that code be adapted to short cut the actual storage of the data out to a file? I.e. open a stream that that the object can serialize itself to, but then hand that stream off to be immediately read back and stored in a data set? .Net has provided a very nice facility for serializing a class, but (AFAIK) it can only serialize itself to an XML file. It does so however by serializing itself onto a stream. If that stream can be simly held and not written to file, and then that stream handed back to a dataset to process into a table I would have the holy grail of serialization to a table. Any class could then serialize itself directly into a database table. Of course I am completely incapable of actually coding such a solution if it can even be done. Or perhaps this is doable directly and I am so ignorant that I do not even know it? John W. Colby Colby Consulting www.ColbyConsulting.com <<< tail skipped >>> From dajomigo at dgsolutions.net.au Fri Oct 5 18:42:07 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Sat, 06 Oct 2007 09:42:07 +1000 Subject: [AccessD] Combo box default value Message-ID: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> I hope someone can help with this. I am trying to control the default value of a combo box from a value in another combo box while showing the existing value for a record. I hope this makes sense. TIA David From miscellany at mvps.org Fri Oct 5 19:12:13 2007 From: miscellany at mvps.org (Steve Schapel) Date: Sat, 06 Oct 2007 13:12:13 +1300 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: <4706D2DD.8060503@mvps.org> David, The Default Value of a control only has a meaning at the point where a new record is being created. If another control already has a value, then that point has passed, and the default value of your combobox is no longer applicable. Perhaps you could explain a bit more detail about what you are doing, and someone will be able to suggest an alternative approach. Regards Steve David and Joanne Gould wrote: > I hope someone can help with this. I am trying to control the default > value of a combo box from a value in another combo box while showing > the existing value for a record. I hope this makes sense. From jwcolby at colbyconsulting.com Sat Oct 6 08:14:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sat, 6 Oct 2007 09:14:53 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000401c807a0$d765e480$6401a8c0@nant> References: <000201c80789$8a873590$657aa8c0@M90> <000401c807a0$d765e480$6401a8c0@nant> Message-ID: <001701c8081a$e2872a20$657aa8c0@M90> Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil From shamil at users.mns.ru Sat Oct 6 12:06:10 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 6 Oct 2007 21:06:10 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <001701c8081a$e2872a20$657aa8c0@M90> Message-ID: <000701c8083b$31542570$6401a8c0@nant> Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 7 15:43:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 7 Oct 2007 16:43:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000701c8083b$31542570$6401a8c0@nant> References: <001701c8081a$e2872a20$657aa8c0@M90> <000701c8083b$31542570$6401a8c0@nant> Message-ID: <000c01c80922$ac967a20$657aa8c0@M90> Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Saturday, October 06, 2007 1:06 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 8 01:55:20 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 8 Oct 2007 10:55:20 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000c01c80922$ac967a20$657aa8c0@M90> Message-ID: <002f01c80978$3959a180$6401a8c0@nant> <<< Somehow the table has to be created in SQL Server first? >>> Yes. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 12:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Saturday, October 06, 2007 1:06 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 05:01:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 06:01:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <002f01c80978$3959a180$6401a8c0@nant> References: <000c01c80922$ac967a20$657aa8c0@M90> <002f01c80978$3959a180$6401a8c0@nant> Message-ID: <001b01c80992$27223e90$657aa8c0@M90> I looked but did not find a way for the ADO stuff to just persist a table that is in a data set but not in SQL Server. Is there such a thing or will I need to build up a sql statement to execute to do this? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Monday, October 08, 2007 2:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database <<< Somehow the table has to be created in SQL Server first? >>> Yes. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 12:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com From dwaters at usinternet.com Mon Oct 8 08:15:42 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 8 Oct 2007 08:15:42 -0500 Subject: [AccessD] Office 2003 SP3 White Paper Message-ID: <001201c809ad$54a1ef30$0200a8c0@danwaters> A white paper (10 minutes to read) describing Office 2003 SP3 is here: http://www.microsoft.com/downloads/details.aspx?FamilyID=9c6736ba-ac90-4308- 855a-070812b11e03&DisplayLang=en A couple of good things for Access (among several): - Users can now install Microsoft Office AccessT add-ins on Windows Vista. - Moving the mouse over pages of a tab control in Access 2003 no longer causes the computer screen to flicker. Has anyone had further experience with SP3 - good or bad or indifferent? Dan From fuller.artful at gmail.com Mon Oct 8 08:37:50 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 8 Oct 2007 09:37:50 -0400 Subject: [AccessD] Canadian Thanksgiving Message-ID: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur From jwcolby at colbyconsulting.com Mon Oct 8 08:52:48 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 09:52:48 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> Message-ID: <003101c809b2$83b44fc0$657aa8c0@M90> Happy Thanksgiving day Arthur. We are unique in that politics do not intrude on our lists and we all view each other as friends and human beings. Enjoy your day. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 08, 2007 9:38 AM To: Access Developers discussion and problem solving; Discussion of Hardware and Software issues; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Canadian Thanksgiving It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 8 09:11:20 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 8 Oct 2007 07:11:20 -0700 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> Message-ID: <001501c809b5$1a36d1f0$0301a8c0@HAL9005> Amen. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 08, 2007 6:38 AM To: Access Developers discussion and problem solving; Discussion of Hardware and Software issues; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Canadian Thanksgiving It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: 10/7/2007 6:12 PM From JRojas at tnco-inc.com Mon Oct 8 09:24:22 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 10:24:22 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: <001501c809b5$1a36d1f0$0301a8c0@HAL9005> Message-ID: <758E92433C4F3740B67BE4DD369AF5775C531A@ex2k3.corp.tnco-inc.com> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 From Gustav at cactus.dk Mon Oct 8 09:45:48 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 08 Oct 2007 16:45:48 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 From rockysmolin at bchacc.com Mon Oct 8 10:03:27 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 8 Oct 2007 08:03:27 -0700 Subject: [AccessD] Office 2003 SP3 White Paper In-Reply-To: <001201c809ad$54a1ef30$0200a8c0@danwaters> References: <001201c809ad$54a1ef30$0200a8c0@danwaters> Message-ID: <000b01c809bc$63078d00$0301a8c0@HAL9005> I was just having that flicker problem on a complex tab form. So I did the upgrade and it cleared it up. Previous solution was to make a text box zero height and width and associate the label with it. That stopped the flicker on labels, but there was no solution for command buttons which caused the same flicker. So I did the upgrade and sure enough the flicker stopped. Now I'm waiting for the new, fresh SP3 bugs. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 08, 2007 6:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Office 2003 SP3 White Paper A white paper (10 minutes to read) describing Office 2003 SP3 is here: http://www.microsoft.com/downloads/details.aspx?FamilyID=9c6736ba-ac90-4308- 855a-070812b11e03&DisplayLang=en A couple of good things for Access (among several): - Users can now install Microsoft Office AccessT add-ins on Windows Vista. - Moving the mouse over pages of a tab control in Access 2003 no longer causes the computer screen to flicker. Has anyone had further experience with SP3 - good or bad or indifferent? Dan -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: 10/7/2007 6:12 PM From cfoust at infostatsystems.com Mon Oct 8 10:09:53 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 8 Oct 2007 08:09:53 -0700 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: I suspect what you're asking is how to display an existing value that isn't in the combo dropdown list. As was pointed out, this isn't the same as a default value. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David and Joanne Gould Sent: Friday, October 05, 2007 4:42 PM To: Access Developers discussion and problem solving Subject: [AccessD] Combo box default value I hope someone can help with this. I am trying to control the default value of a combo box from a value in another combo box while showing the existing value for a record. I hope this makes sense. TIA David -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JRojas at tnco-inc.com Mon Oct 8 10:26:37 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 11:26:37 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 10:36:52 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 11:36:52 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> References: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Message-ID: <004f01c809c1$0d2f7050$657aa8c0@M90> Joe, How many Saturdays each month contains will vary from year to year as the calendar slides around. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 11:27 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Lambert.Heenan at AIG.com Mon Oct 8 10:37:18 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Mon, 8 Oct 2007 11:37:18 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert From jimdettman at verizon.net Mon Oct 8 10:39:57 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 11:39:57 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> References: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Message-ID: <007201c809c1$7b937aa0$8abea8c0@XPS> It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 11:27 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Mon Oct 8 11:30:56 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 11:30:56 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <007201c809c1$7b937aa0$8abea8c0@XPS> Message-ID: I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Mon Oct 8 11:42:28 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 08 Oct 2007 18:42:28 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew From JRojas at tnco-inc.com Mon Oct 8 12:45:48 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 13:45:48 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> Message-ID: <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> Good catch. Either way the requirement stays the same. I ended up using DateSerial to move to the beginning of the month, then to the first Saturday, and then add 3 or 4 week accordingly. Seems to work out well. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Monday, October 08, 2007 11:37 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Mon Oct 8 12:59:07 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 13:59:07 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> Message-ID: <001501c809d4$ec7f94c0$8abea8c0@XPS> Joe, To thoroughly test, make sure you try your calc for the next 7 years forward. I think where your going to run into trouble is with either the start or end of the year, as they may not be full weeks. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Good catch. Either way the requirement stays the same. I ended up using DateSerial to move to the beginning of the month, then to the first Saturday, and then add 3 or 4 week accordingly. Seems to work out well. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Monday, October 08, 2007 11:37 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Mon Oct 8 13:05:09 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 14:05:09 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: <007201c809c1$7b937aa0$8abea8c0@XPS> Message-ID: <002801c809d5$c446d6c0$8abea8c0@XPS> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Mon Oct 8 13:11:41 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 14:11:41 -0400 Subject: [AccessD] Canadian Thanksgiving References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> <003101c809b2$83b44fc0$657aa8c0@M90> Message-ID: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. From fuller.artful at gmail.com Mon Oct 8 13:32:00 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 8 Oct 2007 14:32:00 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> <003101c809b2$83b44fc0$657aa8c0@M90> <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: <29f585dd0710081132wcf660beyc235144423dd94f3@mail.gmail.com> Yup. I have found several reasons to use unbounded forms -- not often, to be sure, but now and then, especially when dealing with classes rather than tables. A. On 10/8/07, Susan Harkins wrote: > > Even the unbounders???? ;) > > Susan H. > From jwcolby at colbyconsulting.com Mon Oct 8 13:36:43 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 14:36:43 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com><003101c809b2$83b44fc0$657aa8c0@M90> <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: <000801c809da$2d3f41e0$657aa8c0@M90> Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Mon Oct 8 13:38:41 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:38:41 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: Message-ID: Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:40:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:40:43 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <002801c809d5$c446d6c0$8abea8c0@XPS> Message-ID: Not sure if that will actually do the trick. If you are going on a true 4 4 5 routine, eventually, the Saturday will be in a different month. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 1:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:41:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:41:43 -0500 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: Ya know, OT has been pretty quiet lately. If you really want to stir the pot, why not start something over there? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 1:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:42:37 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:42:37 -0500 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <000801c809da$2d3f41e0$657aa8c0@M90> Message-ID: Nice one JC, let everyone believe you haven't gone to the dark side...good ploy! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 1:37 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Canadian Thanksgiving Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Mon Oct 8 13:45:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 14:45:55 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <00ac01c809db$87bf2d00$4b3a8343@SusanOne> You certainly have given me a few... ;) Susan H. > Well I did turn 35 a few weeks ago, starting to get some grey hair > too.... ;) > From DWUTKA at Marlow.com Mon Oct 8 13:54:11 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:54:11 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <00ac01c809db$87bf2d00$4b3a8343@SusanOne> Message-ID: LOL, so you were trying to get some more with stirring up the unbound/bound issue here? LOL. Glutton for punishment ya are! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule You certainly have given me a few... ;) Susan H. > Well I did turn 35 a few weeks ago, starting to get some grey hair > too.... ;) > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Mon Oct 8 14:08:37 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 15:08:37 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <00e401c809de$bec3ecc0$4b3a8343@SusanOne> Now look, I wasn't trying to stir up nothing... you've got me all wrong!!! ;) Susan H. > LOL, so you were trying to get some more with stirring up the > unbound/bound issue here? LOL. > > Glutton for punishment ya are! ;) .com From jwcolby at colbyconsulting.com Mon Oct 8 15:40:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 16:40:14 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: Message-ID: <000c01c809eb$6e4bb900$657aa8c0@M90> Ahh, the long slide into oblivion... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 2:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 15:40:57 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 16:40:57 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: References: <000801c809da$2d3f41e0$657aa8c0@M90> Message-ID: <000d01c809eb$87d2c1c0$657aa8c0@M90> 8~)) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 2:43 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Nice one JC, let everyone believe you haven't gone to the dark side...good ploy! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 1:37 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Canadian Thanksgiving Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Mon Oct 8 22:38:35 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Tue, 09 Oct 2007 16:38:35 +1300 Subject: [AccessD] Combo box auto completing Message-ID: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> AccessXP mde. I have a drop down list with names of businesses. It is set up so that when the user starts typing the first match is filled in. The letters typed in are clear and the remaining letters of the match are highlighted. In some cases, even though the whole name has not been typed in, the rest of the name automatically becomes unselected. The user then needs to delete the matched letters they have NOT typed in to be able to continue typing to get the match they want. It seems to be when the business name includes the word Cafe. We have changed autocorrect so that Cafe is not automatically changed to Caf? (with the squiggle over the e) but this doesn't seem to have helped. I think it may be settings as some computers work fine - only some have this problem. Although they are running the program through terminal server so I would have thought that they should all react the same. Any thoughts what may be the problem? Regards David Emerson Dalyn Software Ltd Wellington, New Zealand From kp at sdsonline.net Mon Oct 8 23:26:19 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 9 Oct 2007 14:26:19 +1000 Subject: [AccessD] Combo box auto completing References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> Message-ID: <000701c80a2c$8b92ed80$6701a8c0@DELLAPTOP> David - I have a similiar routine for combo boxes and have never seen that (in A2K and 2003). Have you actually turned off Autocorrect completely and then tried again? Kath ----- Original Message ----- From: "David Emerson" To: Sent: Tuesday, October 09, 2007 1:38 PM Subject: [AccessD] Combo box auto completing > AccessXP mde. > > I have a drop down list with names of > businesses. It is set up so that when the user > starts typing the first match is filled in. The > letters typed in are clear and the remaining > letters of the match are highlighted. > > In some cases, even though the whole name has not > been typed in, the rest of the name automatically > becomes unselected. The user then needs to > delete the matched letters they have NOT typed in > to be able to continue typing to get the match they want. > > It seems to be when the business name includes > the word Cafe. We have changed autocorrect so > that Cafe is not automatically changed to Caf? > (with the squiggle over the e) but this doesn't seem to have helped. > > I think it may be settings as some computers work > fine - only some have this problem. Although they > are running the program through terminal server > so I would have thought that they should all react the same. > > Any thoughts what may be the problem? > > Regards > > David Emerson > Dalyn Software Ltd > Wellington, New Zealand > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From kp at sdsonline.net Tue Oct 9 01:07:10 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 9 Oct 2007 16:07:10 +1000 Subject: [AccessD] Autocorrect Combo Message-ID: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> David - sorry for change in subject line. I deleted the prev email and forgot what your original subject was. Just a thought - if autocorrect IS causing the problem, and you don't want to turn off Autocorrect completely, then you could just disable it for that one control, eg. Me.CboName.AllowAutoCorrect = False You wouldn't really want Autocorrect in it anyway, would you? hth Kath Pelletti From Gustav at cactus.dk Tue Oct 9 04:41:23 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 11:41:23 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Drew Oh, that explains (... said the gray haired oldy). /gustav >>> DWUTKA at marlow.com 08-10-2007 20:38 >>> Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew From Gustav at cactus.dk Tue Oct 9 04:46:35 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 11:46:35 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Jim Leery? I wonder why. A function like this will run in microseconds and begs to be wrapped into a callback function as source for your combo. This is a general comment. That said, I still don't get how this 4-4-5 system should be used and calculated, and your comments about weeks at year end seem highly relevant. /gustav >>> jimdettman at verizon.net 08-10-2007 20:05 >>> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. From ssharkins at gmail.com Tue Oct 9 08:06:00 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 09:06:00 -0400 Subject: [AccessD] Combo box auto completing References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> Message-ID: <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> What about updates? If it works on some systems and not others, could be a update inconsistency. Susan H. I think it may be settings as some computers work fine - only some have this problem. Although they are running the program through terminal server so I would have thought that they should all react the same. Any thoughts what may be the problem? From jimdettman at verizon.net Tue Oct 9 08:18:17 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Tue, 09 Oct 2007 09:18:17 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: Message-ID: <004d01c80a76$db9828a0$8abea8c0@XPS> Gustav, <> My gut hunch is it would be easy for the calculation logic to be wrong and miss it. It would be something that I would want to exhaustively test. Case in point; it was only seven years ago that a lot of date calculations messed up because they didn't include the third rule for calculating leap years (if it's divisible by 400, then it is a leap year). Then of course a large part of that distrust is probably just old habit; I've been using a lookup table for fiscal dates since my Wang mini days. Just seems a lot simpler and straight forward to me and I've never had a problem doing it that way. So as the saying goes, "If it's not broke...." Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 5:47 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Jim Leery? I wonder why. A function like this will run in microseconds and begs to be wrapped into a callback function as source for your combo. This is a general comment. That said, I still don't get how this 4-4-5 system should be used and calculated, and your comments about weeks at year end seem highly relevant. /gustav >>> jimdettman at verizon.net 08-10-2007 20:05 >>> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 08:34:59 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Tue, 09 Oct 2007 23:34:59 +1000 Subject: [AccessD] Combo box default value In-Reply-To: References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: <7.0.0.16.2.20071009233315.023ee548@dgsolutions.net.au> Charlotte The value is in the drop down list, I just want it to show the most common value (the query doers it fine) so the user can just accept the value instead of having to select it from the dropdown list. David At 01:09 AM 9/10/2007, you wrote: >I suspect what you're asking is how to display an existing value that >isn't in the combo dropdown list. As was pointed out, this isn't the >same as a default value. > >Charlotte Foust > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David and >Joanne Gould >Sent: Friday, October 05, 2007 4:42 PM >To: Access Developers discussion and problem solving >Subject: [AccessD] Combo box default value > >I hope someone can help with this. I am trying to control the default >value of a combo box from a value in another combo box while showing the >existing value for a record. I hope this makes sense. > >TIA > >David > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: >7/10/2007 6:12 PM From dajomigo at dgsolutions.net.au Tue Oct 9 08:38:12 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Tue, 09 Oct 2007 23:38:12 +1000 Subject: [AccessD] Combo box default value Message-ID: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Steve The combo box is based on a query that lists departure points for a tour bus based on the postcode of the client. It lists the options by most popular to least popular. At the moment it starts off with a blank text box and I want it to show the most popular as a default. The combo works fine as far as listing the options in the right order - just leaves it blank until a choice is made. Hope this makes more sense. David At 10:12 AM 6/10/2007, you wrote: >David, > >The Default Value of a control only has a meaning at the point where a >new record is being created. If another control already has a value, >then that point has passed, and the default value of your combobox is no >longer applicable. > >Perhaps you could explain a bit more detail about what you are doing, >and someone will be able to suggest an alternative approach. > >Regards >Steve > > >David and Joanne Gould wrote: > > I hope someone can help with this. I am trying to control the default > > value of a combo box from a value in another combo box while showing > > the existing value for a record. I hope this makes sense. >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: >4/10/2007 5:03 PM From rockysmolin at bchacc.com Tue Oct 9 09:41:19 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 07:41:19 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: <002d01c80a82$75746e10$0301a8c0@HAL9005> Worth a few minutes if you're old enough. Under 30? Don't even bother clicking the link. Easter egg: there's a link in there on one of the pages to download your own copy of VisiCalc. http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 >1=10438 Rocky Smolin Beach Access Software 858-259-4334 www.e-z-mrp.com From fuller.artful at gmail.com Tue Oct 9 10:23:46 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:23:46 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Message-ID: <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> You could count the actual entries in the table (not in the lookup table) and select top 1 descending: Here's an example drawn from one of my apps. SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS Occurrences FROM LightCurtainData_tbl GROUP BY CompanyID Order By Count([CompanyID]) DESC Edit to suit, save as a named query. Use Dlookup() to obtain the value. Make the default value of the combo "=Dlookup("[CompanyID]", "LightCurtainData_tbl") in this case. Substitute your own values for the table and columns and you're away to the races. I just whipped up a sample form to test it and it works as advertised. hth, Arthur On 10/9/07, David and Joanne Gould wrote: > > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. > > Hope this makes more sense. > > David > > From fuller.artful at gmail.com Tue Oct 9 10:26:43 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:26:43 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> Message-ID: <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> Oops. I clicked "Send" too quickly. In the Dlookup you refer to the named query not the table. In my case the combo box's default value is: =DLookUp("CompanyID","CompanyCount_Desc_qs") (The _qs is my naming convention, denoting a query select. _qu is a query update, _qd is a delete, etc.) A. On 10/9/07, Arthur Fuller wrote: > > You could count the actual entries in the table (not in the lookup table) > and select top 1 descending: Here's an example drawn from one of my apps. > > SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS > Occurrences > FROM LightCurtainData_tbl > GROUP BY CompanyID > Order By Count([CompanyID]) DESC > > Edit to suit, save as a named query. Use Dlookup() to obtain the value. > Make the default value of the combo "=Dlookup("[CompanyID]", > "LightCurtainData_tbl") in this case. Substitute your own values for the > table and columns and you're away to the races. I just whipped up a sample > form to test it and it works as advertised. > > hth, > Arthur > > On 10/9/07, David and Joanne Gould wrote: > > > > Steve > > > > The combo box is based on a query that lists departure points for a > > tour bus based on the postcode of the client. It lists the options by > > most popular to least popular. At the moment it starts off with a > > blank text box and I want it to show the most popular as a default. > > The combo works fine as far as listing the options in the right order > > - just leaves it blank until a choice is made. > > > > Hope this makes more sense. > > > > David > > > > > From fuller.artful at gmail.com Tue Oct 9 10:29:05 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:29:05 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <002d01c80a82$75746e10$0301a8c0@HAL9005> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> Message-ID: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even bother > clicking the link. > > Easter egg: there's a link in there on one of the pages to download your > own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1=10438 > > >1=10438 > > Rocky Smolin > From rockysmolin at bchacc.com Tue Oct 9 10:41:27 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 08:41:27 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> Message-ID: <007f01c80a8a$dba7c8f0$0301a8c0@HAL9005> I'm embarrassed to say how many of those machines I either owned or worked on. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 8:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From jwcolby at colbyconsulting.com Tue Oct 9 10:58:45 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 11:58:45 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> Message-ID: <004501c80a8d$461e0c60$657aa8c0@M90> >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 11:32:35 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:32:35 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. From markamatte at hotmail.com Tue Oct 9 11:41:29 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Tue, 9 Oct 2007 16:41:29 +0000 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: About 4 years ago I tried to write a function to determine a 4-4-5 calendar. What I ran into is the business continuously had to adjust the calendar here and there to account for each year...even though they claimed, "Its easy...4-4-5,,,see>?"...then when I showed them the following year's dates...."Oh?>?>?...we just change that week...that doesn't count." Being that this type of accounting is constantly evolving...I vote for a table that lists every date for the next 5 years...and just tell it what fiscal month/week/year it belongs to. Mark A. Matte> Date: Mon, 8 Oct 2007 13:59:07 -0400> From: jimdettman at verizon.net> To: accessd at databaseadvisors.com> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > Joe,> > To thoroughly test, make sure you try your calc for the next 7 years> forward. I think where your going to run into trouble is with either the> start or end of the year, as they may not be full weeks.> > Jim. > > -----Original Message-----> From: accessd-bounces at databaseadvisors.com> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas> Sent: Monday, October 08, 2007 1:46 PM> To: Access Developers discussion and problem solving> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > Good catch.> Either way the requirement stays the same.> > I ended up using DateSerial to move to the beginning of the month, then> to the first Saturday, and then add 3 or 4 week accordingly.> Seems to work out well.> > Joe Rojas> Information Technology Manager> Symmetry Medical TNCO> 15 Colebrook Blvd> Whitman MA 02382> 781.447.6661 x7506> > > -----Original Message-----> From: accessd-bounces at databaseadvisors.com> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan,> Lambert> Sent: Monday, October 08, 2007 11:37 AM> To: 'Access Developers discussion and problem solving'> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > -----Original Message-----> > > If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov> only> have 4 Saturdays and the others have 5 Saturdays. The rational must be> buried in that fact.> > > > Not so, I'm afraid. The number of Saturdays in a month is not static. It> depends on what year you are looking at. For instance May 2008 has 5,> not 4.> June 2008 has 4, not 5.> > Lambert> -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Climb to the top of the charts!? Play Star Shuffle:? the word scramble challenge with star power. http://club.live.com/star_shuffle.aspx?icid=starshuffle_wlmailtextlink_oct From jwcolby at colbyconsulting.com Tue Oct 9 11:45:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 12:45:53 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <005601c80a93$dbcd6340$657aa8c0@M90> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 12:33 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 11:55:10 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:55:10 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 12:33 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. From Gustav at cactus.dk Tue Oct 9 11:59:24 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:59:24 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Mark Thanks, that explains why I can't get hold on it. Computers are bad for systems with no strict rules. /gustav >>> markamatte at hotmail.com 09-10-2007 18:41 >>> About 4 years ago I tried to write a function to determine a 4-4-5 calendar. What I ran into is the business continuously had to adjust the calendar here and there to account for each year...even though they claimed, "Its easy...4-4-5,,,see>?"...then when I showed them the following year's dates...."Oh?>?>?...we just change that week...that doesn't count." Being that this type of accounting is constantly evolving...I vote for a table that lists every date for the next 5 years...and just tell it what fiscal month/week/year it belongs to. From prosoft6 at hotmail.com Tue Oct 9 12:02:32 2007 From: prosoft6 at hotmail.com (Julie Reardon) Date: Tue, 09 Oct 2007 13:02:32 -0400 Subject: [AccessD] Developer Extensions and Product Code - Installation Key Message-ID: With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct From rockysmolin at bchacc.com Tue Oct 9 12:16:57 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 10:16:57 -0700 Subject: [AccessD] Excel Automation Message-ID: <008c01c80a98$32cbe870$0301a8c0@HAL9005> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky From jengross at gte.net Tue Oct 9 12:35:21 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 10:35:21 -0700 Subject: [AccessD] Developer Extensions and Product Code - Installation Key In-Reply-To: Message-ID: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> Hi Julie, The way that I have handled restricting the number of installations is by using a start up form that requires the user to enter a serial number that we provide, then register the software on our website through the software, the website kicks back an unlock code that is generated through an algorithm that takes incorporates the serial number. The website only allows registration of each serial number once. I use registry settings to track date of install, serial number, etc. All of that is set during the installation. As I have seen from the way that major software manufacturers deal with piracy, there is no easy way to restrict the number of installs. Microsoft themselves has spent years and a lot of money to come up with their authentication scheme - which most high school kids can get around. The best we can do is make it difficult. I do this with serial numbers and required website registration through the software. Also, as an aside, I stopped using Microsoft's packaging for distribution with Access 97. I now use SageKey scripts with Wise Installer. I haven't even bothered to try Microsoft's scripts since I found SageKey. They do a fantastic job, installing minimal extra stuff (like the mandatory Internet Explorer install that is required to distribute A2K runtime - Microsoft installs IE automatically and makes it the default browser, while SageKey checks to see if any IE is already installed, and if not, installs IE 3 I think, a very small installation, and does not change the default browser) www.sagekey.com Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Julie Reardon Sent: Tuesday, October 09, 2007 10:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] Developer Extensions and Product Code - Installation Key With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct From lmrazek at lcm-res.com Tue Oct 9 12:40:08 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Tue, 9 Oct 2007 12:40:08 -0500 Subject: [AccessD] Excel Automation In-Reply-To: <008c01c80a98$32cbe870$0301a8c0@HAL9005> References: <008c01c80a98$32cbe870$0301a8c0@HAL9005> Message-ID: <095f01c80a9b$739a9ba0$056fa8c0@lcmdv8000> Hi Rocky: >From memory, I think it is something like: Set xlWs = xlWb.Worksheets(wrksheet) xlWs.Select Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 09, 2007 12:17 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Excel Automation Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 12:27:00 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 06:27:00 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> Message-ID: <20071009174458.YVIT18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> The programme is working via terminal server. My understanding is that all connections are using the same program (maybe with personal preferences stored?). David At 10/10/2007, you wrote: >What about updates? If it works on some systems and not others, could be a >update inconsistency. > >Susan H. > > > >I think it may be settings as some computers work >fine - only some have this problem. Although they >are running the program through terminal server >so I would have thought that they should all react the same. > >Any thoughts what may be the problem? > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 12:28:27 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 06:28:27 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> References: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> Message-ID: <20071009174503.YVKA18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> Kath - Have changed the subject line back again for you :-) Thanks for the suggestion - I will try that. David At 9/10/2007, you wrote: >David - sorry for change in subject line. I deleted the prev email >and forgot what your original subject was. > >Just a thought - if autocorrect IS causing the problem, and you >don't want to turn off Autocorrect completely, then you could just >disable it for that one control, eg. >Me.CboName.AllowAutoCorrect = False > >You wouldn't really want Autocorrect in it anyway, would you? > >hth >Kath Pelletti > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From prosoft6 at hotmail.com Tue Oct 9 12:45:43 2007 From: prosoft6 at hotmail.com (Julie Reardon) Date: Tue, 9 Oct 2007 13:45:43 -0400 Subject: [AccessD] Developer Extensions and Product Code - InstallationKey In-Reply-To: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> References: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> Message-ID: Hi Jennifer, Thanks for your answer. I was experimenting with the installation keys are part of the database, but could not figure out how to get the installation key to only pop-up once during installation. Kind of confusing. I will try what you suggested. Thanks, Julie Reardon PRO-SOFT of NY, Inc. 44 Public Square, Suite 5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 NYS IT Contract#CMT026A NYS Certified Woman-Owned Business www.pro-soft.net -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 1:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Developer Extensions and Product Code - InstallationKey Hi Julie, The way that I have handled restricting the number of installations is by using a start up form that requires the user to enter a serial number that we provide, then register the software on our website through the software, the website kicks back an unlock code that is generated through an algorithm that takes incorporates the serial number. The website only allows registration of each serial number once. I use registry settings to track date of install, serial number, etc. All of that is set during the installation. As I have seen from the way that major software manufacturers deal with piracy, there is no easy way to restrict the number of installs. Microsoft themselves has spent years and a lot of money to come up with their authentication scheme - which most high school kids can get around. The best we can do is make it difficult. I do this with serial numbers and required website registration through the software. Also, as an aside, I stopped using Microsoft's packaging for distribution with Access 97. I now use SageKey scripts with Wise Installer. I haven't even bothered to try Microsoft's scripts since I found SageKey. They do a fantastic job, installing minimal extra stuff (like the mandatory Internet Explorer install that is required to distribute A2K runtime - Microsoft installs IE automatically and makes it the default browser, while SageKey checks to see if any IE is already installed, and if not, installs IE 3 I think, a very small installation, and does not change the default browser) www.sagekey.com Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Julie Reardon Sent: Tuesday, October 09, 2007 10:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] Developer Extensions and Product Code - Installation Key With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 12:50:01 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 19:50:01 +0200 Subject: [AccessD] Excel Automation Message-ID: Hi Rocky That is, if wkb is your WorkBook: wkb.Worksheets().Activate /gustav >>> rockysmolin at bchacc.com 09-10-2007 19:16 >>> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky From rockysmolin at bchacc.com Tue Oct 9 13:10:59 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 11:10:59 -0700 Subject: [AccessD] Excel Automation In-Reply-To: References: Message-ID: <00a001c80a9f$bef4a100$0301a8c0@HAL9005> IT WORKED! (You knew it would.) Thank you. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 10:50 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Excel Automation Hi Rocky That is, if wkb is your WorkBook: wkb.Worksheets().Activate /gustav >>> rockysmolin at bchacc.com 09-10-2007 19:16 >>> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From ssharkins at gmail.com Tue Oct 9 13:10:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 14:10:59 -0400 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Message-ID: <013701c80a9f$db5c5b80$4b3a8343@SusanOne> The query sorts by most often chosen? That's interesting -- so the most often chosen should be the top item in the combo right? If that's the case, you simply set the default value to the first item -- there's a simple expression for doing so that I can't recall off the top of my head -- someone's going to know it -- control.Data(0) or something like that. Susan H. > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. From robert at webedb.com Tue Oct 9 14:00:14 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 09 Oct 2007 14:00:14 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <200710091904.l99J42q3003686@databaseadvisors.com> So did any of you guys use Condor 3 or DataPerfect? Tandy 1000 MS-DOS? Tandy 4p CP/M, TRS-DOS, etc.? At 12:00 PM 10/9/2007, you wrote: >Date: Tue, 09 Oct 2007 18:55:10 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi John > >You could have written her a macro or two. Oh boy, brings back >memories struggling with the curly brackets. I wrote about 1990 in >WP 5.x a lot of macros for clients - it was dark ages compared to now. > >/gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> >LOL. There was no future in WP. I kept telling her to email you with her >questions but she refused... What was I to do? From shamil at users.mns.ru Tue Oct 9 14:12:37 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Tue, 9 Oct 2007 23:12:37 +0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <000101c80aa8$5afc8060$6401a8c0@nant> Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com From jengross at gte.net Tue Oct 9 14:38:34 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 12:38:34 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: <002d01c80aab$fe77ab40$6501a8c0@jefferson> We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Tue Oct 9 15:00:49 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 9 Oct 2007 15:00:49 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> References: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From DWUTKA at Marlow.com Tue Oct 9 17:48:17 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 9 Oct 2007 17:48:17 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <002d01c80aab$fe77ab40$6501a8c0@jefferson> Message-ID: Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 2:39 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Tue Oct 9 17:50:02 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 9 Oct 2007 17:50:02 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: LOL, so true, so true, the foreboding that the country was headed for 2 months of constant bombardment about the life and death of Anna Nicole Smith...whose contribution to society was...erm...uh..... I think it's time to start recruiting for the OT list, since William has left, it's kind of slow over there! I've actually been getting work done... Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 09, 2007 3:01 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From cfoust at infostatsystems.com Tue Oct 9 18:20:13 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 9 Oct 2007 16:20:13 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <004501c80a8d$461e0c60$657aa8c0@M90> References: <002d01c80a82$75746e10$0301a8c0@HAL9005><29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> <004501c80a8d$461e0c60$657aa8c0@M90> Message-ID: 512K?? Mine had only 64K and only 56 of that was usable! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 8:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 9 18:22:36 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 9 Oct 2007 16:22:36 -0700 Subject: [AccessD] Combo box default value In-Reply-To: <013701c80a9f$db5c5b80$4b3a8343@SusanOne> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: The simple express is ItemData(0) unless you have turned on column headings in the dropdown and then it's ItemData(1), since zero is the heading row. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Tuesday, October 09, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Combo box default value The query sorts by most often chosen? That's interesting -- so the most often chosen should be the top item in the combo right? If that's the case, you simply set the default value to the first item -- there's a simple expression for doing so that I can't recall off the top of my head -- someone's going to know it -- control.Data(0) or something like that. Susan H. > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 9 18:41:10 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 19:41:10 -0400 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au><013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: <001b01c80ace$3f008ac0$4b3a8343@SusanOne> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the most > often chosen should be the top item in the combo right? If that's the > case, you simply set the default value to the first item -- there's a > simple expression for doing so that I can't recall off the top of my > head -- someone's going to know it -- > > control.Data(0) > > or something like that. From jwcolby at colbyconsulting.com Tue Oct 9 19:17:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 20:17:14 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <007001c80ad2$e94ee1d0$657aa8c0@M90> OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 6:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs LOL, so true, so true, the foreboding that the country was headed for 2 months of constant bombardment about the life and death of Anna Nicole Smith...whose contribution to society was...erm...uh..... I think it's time to start recruiting for the OT list, since William has left, it's kind of slow over there! I've actually been getting work done... Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 09, 2007 3:01 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 9 19:25:29 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 20:25:29 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: <002d01c80a82$75746e10$0301a8c0@HAL9005><29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com><004501c80a8d$461e0c60$657aa8c0@M90> Message-ID: <007101c80ad4$10635930$657aa8c0@M90> >Mine had only 64K and only 56 of that was usable! LOL. The board directly supported 256 kbit ram chips. But... if you soldered a chip on top of the bottom chip, and bent the RAS pin up on that top chip, you could solder just that pin down into another trace to add another 256 Kbytes onto the board. So of course I did that mod. Having 512 kbytes was totally awesome at the time. Most of the SBCs (single board computers as they were known) were only 64K or perhaps 128K. I had an 80186 (full 16 bit processor) running at 16 mhz, and this was ~1983. In 1986 I bought the Epson PCXT which used the 8088 (8 bit path to memory) running at 12 mhz. It was actually SLOWER than the machine I built myself but it ran DOS instead of CPM which was dying by then. Plus it has a hard disk and could use extended memory. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 09, 2007 7:20 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs 512K?? Mine had only 64K and only 56 of that was usable! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 8:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 19:32:39 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Wed, 10 Oct 2007 10:32:39 +1000 Subject: [AccessD] Combo box default value In-Reply-To: <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.co m> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> Message-ID: <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> Arthur Thanks for your suggestion. The query works fine. It lists all the choices from a selection made in another combo box but starts with the most popular. When I use the DLookup code it doesn't do anything. The combo dropdown shows all the options as it should but doesn't show anything in the text box until a choice is made. David At 01:26 AM 10/10/2007, you wrote: >Oops. I clicked "Send" too quickly. In the Dlookup you refer to the named >query not the table. In my case the combo box's default value is: > >=DLookUp("CompanyID","CompanyCount_Desc_qs") > >(The _qs is my naming convention, denoting a query select. _qu is a query >update, _qd is a delete, etc.) > >A. > >On 10/9/07, Arthur Fuller wrote: > > > > You could count the actual entries in the table (not in the lookup table) > > and select top 1 descending: Here's an example drawn from one of my apps. > > > > SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS > > Occurrences > > FROM LightCurtainData_tbl > > GROUP BY CompanyID > > Order By Count([CompanyID]) DESC > > > > Edit to suit, save as a named query. Use Dlookup() to obtain the value. > > Make the default value of the combo "=Dlookup("[CompanyID]", > > "LightCurtainData_tbl") in this case. Substitute your own values for the > > table and columns and you're away to the races. I just whipped up a sample > > form to test it and it works as advertised. > > > > hth, > > Arthur > > > > On 10/9/07, David and Joanne Gould wrote: > > > > > > Steve > > > > > > The combo box is based on a query that lists departure points for a > > > tour bus based on the postcode of the client. It lists the options by > > > most popular to least popular. At the moment it starts off with a > > > blank text box and I want it to show the most popular as a default. > > > The combo works fine as far as listing the options in the right order > > > - just leaves it blank until a choice is made. > > > > > > Hope this makes more sense. > > > > > > David > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: >8/10/2007 4:54 PM From jengross at gte.net Tue Oct 9 20:08:03 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 18:08:03 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <004201c80ada$05bcb2a0$6501a8c0@jefferson> All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 2:39 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 20:21:45 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Wed, 10 Oct 2007 11:21:45 +1000 Subject: [AccessD] Combo box default value In-Reply-To: References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: <7.0.0.16.2.20071010111816.023c1190@dgsolutions.net.au> Thank you Charlotte and Susan Sorry to take so long to reply. It just took me a long time to figure out where to put the code. For anyone who has been interested in the result of this - I put the following code in the after update event of the controlling combo box after requerying the target combo box. TargetComboBox = TargetComboBox.ItemData(0) Once again thanks for all your help with this. David At 09:22 AM 10/10/2007, you wrote: >The simple express is ItemData(0) unless you have turned on column >headings in the dropdown and then it's ItemData(1), since zero is the >heading row. > >Charlotte Foust > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins >Sent: Tuesday, October 09, 2007 11:11 AM >To: Access Developers discussion and problem solving >Subject: Re: [AccessD] Combo box default value > >The query sorts by most often chosen? That's interesting -- so the most >often chosen should be the top item in the combo right? If that's the >case, you simply set the default value to the first item -- there's a >simple expression for doing so that I can't recall off the top of my >head -- someone's going to know it -- > >control.Data(0) > >or something like that. > >Susan H. > > > > Steve > > > > The combo box is based on a query that lists departure points for a > > tour bus based on the postcode of the client. It lists the options by > > most popular to least popular. At the moment it starts off with a > > blank text box and I want it to show the most popular as a default. > > The combo works fine as far as listing the options in the right order > > - just leaves it blank until a choice is made. > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.6/1060 - Release Date: >9/10/2007 4:43 PM From krosenstiel at comcast.net Tue Oct 9 21:47:42 2007 From: krosenstiel at comcast.net (Karen Rosenstiel) Date: Tue, 9 Oct 2007 19:47:42 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: <200710100247.l9A2lU8t024318@databaseadvisors.com> I must say that IS pretty impressive. Too bad all the windows on that nifty carousel were boys' stuff. I remember a crisp fall evening and I went out on the porch with my Dad. Up and down our little cul de sac other folks were out on their porches and driveways too. Dad pointed up and said, "There it is!" It was Sputnik, just little red jewel speeding by. I am so glad I lived at the beginning of the Space era -- wish I could be back in a couple of hundred years to see what's next. Regards, Karen Rosenstiel Seattle WA USA -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 23:17:22 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 17:17:22 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> References: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> Message-ID: <20071010041655.OVUJ18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> Thanks Kath - that did the trick. David At 9/10/2007, you wrote: >David - sorry for change in subject line. I deleted the prev email >and forgot what your original subject was. > >Just a thought - if autocorrect IS causing the problem, and you >don't want to turn off Autocorrect completely, then you could just >disable it for that one control, eg. >Me.CboName.AllowAutoCorrect = False > >You wouldn't really want Autocorrect in it anyway, would you? > >hth >Kath Pelletti > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 03:09:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 10:09:07 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From Gustav at cactus.dk Wed Oct 10 03:27:39 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 10:27:39 +0200 Subject: [AccessD] Combo box default value Message-ID: Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the most > often chosen should be the top item in the combo right? If that's the > case, you simply set the default value to the first item -- there's a > simple expression for doing so that I can't recall off the top of my > head -- someone's going to know it -- > > control.Data(0) > > or something like that. From fuller.artful at gmail.com Wed Oct 10 06:33:01 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 07:33:01 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <200710100247.l9A2lU8t024318@databaseadvisors.com> References: <000101c80aa8$5afc8060$6401a8c0@nant> <200710100247.l9A2lU8t024318@databaseadvisors.com> Message-ID: <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> Predictions: Everyone in Africa will die of AIDS without us doing a thing. Unfortunately the few survivors will be running email scams out of Nigeria. Virtual reality will displace tourism. Physical reality will be solely for the rich. The rest of us will visit other countries virtually. Google will offer a terabyte of space for gmail + google apps, per user. An earthquake will finally saw off California, making Las Vegas even wealthier since it will then offer an excellent view of the Pacific ocean. JWC will be nominated for a Nobel, but narrowly lose to Hilary Clinton (or was it Paris Hilton -- I keep confusing them). A. On 10/9/07, Karen Rosenstiel wrote: > > I must say that IS pretty impressive. Too bad all the windows on that > nifty > carousel were boys' stuff. > > I remember a crisp fall evening and I went out on the porch with my Dad. > Up > and down our little cul de sac other folks were out on their porches and > driveways too. Dad pointed up and said, "There it is!" It was Sputnik, > just > little red jewel speeding by. > > I am so glad I lived at the beginning of the Space era -- wish I could be > back in a couple of hundred years to see what's next. > > > Regards, > > Karen Rosenstiel > Seattle WA USA > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil > Salakhetdinov > Sent: Tuesday, October 09, 2007 12:13 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi All, > > Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will > write > next but in the end of this message it should be clear that I'm on topic > for > this off-topic :) - pun intended :) > > I still remember the time I first time had watched a TV set, which my > father > bought and that was a black & white screen TV set, and we have had a high > 7-8 antenna to receive TV signals - first this antenna was "sticked" to > our > house and I remember that when TV signal was bad we used to go outside to > the side of the house where this antenna was installed and we used to beat > it strongly, and that "beating" usually helped to get better TV-signal :) > > I also remember - I even clearly see the picture now, when I'm probably a > 6 > years old boy and I alone or with my mother go outside night winter time > (and this is Russian winter you know), and it's not that dark and there is > a > moon and there are stars on the skies - all in all it is a magnificent > frosty Russian winter night with a lot of sparkling from moonlight snow on > the nearby trees etc. - and we have a movie on our TV, and TV signal got > worsened on the most interesting event as usual - and so we go outside and > beat our antenna strongly using heavy hammer - and voila' we had got very > good TV signal and we can watch our TV serial further... > > ...soon we got our antenna installed very high on the nearby tree and TV > signal became much better... > > ... in a few years later we got colored TV... > > ... > ... > ... > > ... now the house where I have got my first impression from our own black > & > white TV - that house has a satellite dish and I can get TV programmers > from > all around the World... > > ... and I can also use mobile Internet and when 3G and WiMAX technologies > will soon become widespread then MS SilverLight will become as usual here > as > it was the snow sparkling on moonlight and a hammer I used to make TV > signal > better... > > If you do not have MS SilverLight yet installed then first watch this site > > http://www.microsoft.com/silverlight/ > > without SilverLight; then go and get downloaded and installed MS > SilverLight > here: > > http://www.microsoft.com/silverlight/downloads.aspx > > and then watch this page > > http://www.microsoft.com/silverlight/ > > again... > > You'll get (very) impressed is my bet.... > > -- > Shamil > > P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian > cosmonauts used to use hammer or similar tools to fix their spaceships - > that was funny... I do not think it was like that in reality but I can't > state that for sure - after all from my story above you can find that a > hammer was a rather universal tool here to fix many things even TV-signal > :) > ... > > P.P.S. Yes, we on Earth have got incredible technology progress in the > last > half of a century: > > - world first spaceship - Sputnik - was launched here on 7th of October > 1957, > - transistors were invented several years before at 1950 at Bell Labs, > - one of the main methids of laser beam pumping was found in 1955 also > here > by Basov and Prokhorov based on works of Charles H. Townes... > > All that and many other foundation technologies were predesessors, which > made MS SilverLight a reality of today... > > Unfortunately, as far as I can see, social progress is not getting > developed > to the better so rapidly worldwide as technologies do... > > And who knows what this "developing to the better social progress" is is > becoming more and more open question today - at least as far as I see > it... > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Tuesday, October 09, 2007 8:55 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi John > > You could have written her a macro or two. Oh boy, brings back memories > struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of > macros for clients - it was dark ages compared to now. > > /gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> > LOL. There was no future in WP. I kept telling her to email you with her > questions but she refused... What was I to do? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Wed Oct 10 07:00:26 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 08:00:26 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> Message-ID: <29f585dd0710100500w51d4b469va22432c524119d42@mail.gmail.com> Hmmm. On my machine the most popular is pre-selected when I add a new record. Of course, it wouldn't be nor shouldn't be when editing a record. I checked this is A2K and A2K3. I don't have A2K7. Arthur On 10/9/07, David and Joanne Gould wrote: > > Arthur > > Thanks for your suggestion. The query works fine. It lists all the > choices from a selection made in another combo box but starts with > the most popular. When I use the DLookup code it doesn't do anything. > The combo dropdown shows all the options as it should but doesn't > show anything in the text box until a choice is made. > > David > From jwcolby at colbyconsulting.com Wed Oct 10 07:27:02 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:27:02 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008a01c80b38$dd391940$657aa8c0@M90> Gustav, I did that to get a free copy of the VS2005 and gave it away as a door prize for the meeting at my house. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 10 07:30:32 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 10 Oct 2007 07:30:32 -0500 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <000c01c80b39$5a2c8e50$0200a8c0@danwaters> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 10 07:33:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:33:09 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> References: <000101c80aa8$5afc8060$6401a8c0@nant><200710100247.l9A2lU8t024318@databaseadvisors.com> <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> Message-ID: <008b01c80b39$b7c45d40$657aa8c0@M90> >Google will offer a terabyte of space for gmail + google apps, per user. Unfortunately it will not be enough by an order of magnitude. >JWC will be nominated for a Nobel ROTFL. JWC will instead receive an honorary doctorate degree from the University of Advanced Computer Science (Purchased Degrees) in Nigeria which, in order to receive the degree, he will only have to pay a $1297 paperwork processing fee, but will also have one million dollars deposited into his account from the widow of the previous dictator if he will just.... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 10, 2007 7:33 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Predictions: Everyone in Africa will die of AIDS without us doing a thing. Unfortunately the few survivors will be running email scams out of Nigeria. Virtual reality will displace tourism. Physical reality will be solely for the rich. The rest of us will visit other countries virtually. Google will offer a terabyte of space for gmail + google apps, per user. An earthquake will finally saw off California, making Las Vegas even wealthier since it will then offer an excellent view of the Pacific ocean. JWC will be nominated for a Nobel, but narrowly lose to Hilary Clinton (or was it Paris Hilton -- I keep confusing them). A. On 10/9/07, Karen Rosenstiel wrote: > > I must say that IS pretty impressive. Too bad all the windows on that > nifty carousel were boys' stuff. > > I remember a crisp fall evening and I went out on the porch with my Dad. > Up > and down our little cul de sac other folks were out on their porches > and driveways too. Dad pointed up and said, "There it is!" It was > Sputnik, just little red jewel speeding by. > > I am so glad I lived at the beginning of the Space era -- wish I could > be back in a couple of hundred years to see what's next. > > > Regards, > > Karen Rosenstiel > Seattle WA USA > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil > Salakhetdinov > Sent: Tuesday, October 09, 2007 12:13 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi All, > > Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will > write next but in the end of this message it should be clear that I'm > on topic for this off-topic :) - pun intended :) > > I still remember the time I first time had watched a TV set, which my > father bought and that was a black & white screen TV set, and we have > had a high > 7-8 antenna to receive TV signals - first this antenna was "sticked" > to our house and I remember that when TV signal was bad we used to go > outside to the side of the house where this antenna was installed and > we used to beat it strongly, and that "beating" usually helped to get > better TV-signal :) > > I also remember - I even clearly see the picture now, when I'm > probably a > 6 > years old boy and I alone or with my mother go outside night winter > time (and this is Russian winter you know), and it's not that dark and > there is a moon and there are stars on the skies - all in all it is a > magnificent frosty Russian winter night with a lot of sparkling from > moonlight snow on the nearby trees etc. - and we have a movie on our > TV, and TV signal got worsened on the most interesting event as usual > - and so we go outside and beat our antenna strongly using heavy > hammer - and voila' we had got very good TV signal and we can watch > our TV serial further... > > ...soon we got our antenna installed very high on the nearby tree and > TV signal became much better... > > ... in a few years later we got colored TV... > > ... > ... > ... > > ... now the house where I have got my first impression from our own > black & white TV - that house has a satellite dish and I can get TV > programmers from all around the World... > > ... and I can also use mobile Internet and when 3G and WiMAX > technologies will soon become widespread then MS SilverLight will > become as usual here as it was the snow sparkling on moonlight and a > hammer I used to make TV signal better... > > If you do not have MS SilverLight yet installed then first watch this > site > > http://www.microsoft.com/silverlight/ > > without SilverLight; then go and get downloaded and installed MS > SilverLight > here: > > http://www.microsoft.com/silverlight/downloads.aspx > > and then watch this page > > http://www.microsoft.com/silverlight/ > > again... > > You'll get (very) impressed is my bet.... > > -- > Shamil > > P.S. Yes, I have seen HollyWood movies where slightly(?) drunken > Russian cosmonauts used to use hammer or similar tools to fix their > spaceships - that was funny... I do not think it was like that in > reality but I can't state that for sure - after all from my story > above you can find that a hammer was a rather universal tool here to > fix many things even TV-signal > :) > ... > > P.P.S. Yes, we on Earth have got incredible technology progress in the > last half of a century: > > - world first spaceship - Sputnik - was launched here on 7th of > October 1957, > - transistors were invented several years before at 1950 at Bell > Labs, > - one of the main methids of laser beam pumping was found in 1955 also > here by Basov and Prokhorov based on works of Charles H. Townes... > > All that and many other foundation technologies were predesessors, > which made MS SilverLight a reality of today... > > Unfortunately, as far as I can see, social progress is not getting > developed to the better so rapidly worldwide as technologies do... > > And who knows what this "developing to the better social progress" is > is becoming more and more open question today - at least as far as I > see it... > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > Brock > Sent: Tuesday, October 09, 2007 8:55 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi John > > You could have written her a macro or two. Oh boy, brings back > memories struggling with the curly brackets. I wrote about 1990 in WP > 5.x a lot of macros for clients - it was dark ages compared to now. > > /gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> > LOL. There was no future in WP. I kept telling her to email you with > her questions but she refused... What was I to do? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Wed Oct 10 07:35:23 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 10 Oct 2007 08:35:23 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <021901c80b3a$07903880$8abea8c0@XPS> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Wed Oct 10 07:38:10 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 08:38:10 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <008b01c80b39$b7c45d40$657aa8c0@M90> References: <000101c80aa8$5afc8060$6401a8c0@nant> <200710100247.l9A2lU8t024318@databaseadvisors.com> <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> <008b01c80b39$b7c45d40$657aa8c0@M90> Message-ID: <29f585dd0710100538o7b456197o4a24f4bb466c7db@mail.gmail.com> LOL. On 10/10/07, jwcolby wrote: > > >Google will offer a terabyte of space for gmail + google apps, per user. > > Unfortunately it will not be enough by an order of magnitude. > > >JWC will be nominated for a Nobel > > ROTFL. JWC will instead receive an honorary doctorate degree from the > University of Advanced Computer Science (Purchased Degrees) in Nigeria > which, in order to receive the degree, he will only have to pay a $1297 > paperwork processing fee, but will also have one million dollars deposited > into his account from the widow of the previous dictator if he will > just.... > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > From Gustav at cactus.dk Wed Oct 10 07:42:19 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 14:42:19 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Dan Well, MS doesn't give that much away over here, mostly time-limited demos. /gustav >>> dwaters at usinternet.com 10-10-2007 14:30 >>> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From jwcolby at colbyconsulting.com Wed Oct 10 07:43:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:43:50 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008d01c80b3b$35aa5330$657aa8c0@M90> Having started using VS2005 (in 2007) I must say I am extremely impressed with the functionality of VB.Net and Visual Studio. .NET 2.0 is a programmers dream, assuming you are willing to climb the learning curve. I also have to say I was not nearly as impressed with .Net 1.0 and in fact my experience with that was one reason I delayed so long in trying to do the 2.0 stuff. I am nowhere near proficient with 2.0 but I like it a lot. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 10 07:48:45 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:48:45 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008f01c80b3b$e58df180$657aa8c0@M90> Well, MS doesn't give that much away over here, mostly time-limited demos. That's because they are pissed at the EU for suing them for their monopolistic ways. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 8:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Dan Well, MS doesn't give that much away over here, mostly time-limited demos. /gustav >>> dwaters at usinternet.com 10-10-2007 14:30 >>> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 07:50:01 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 14:50:01 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From mmattys at rochester.rr.com Wed Oct 10 08:04:14 2007 From: mmattys at rochester.rr.com (Michael R Mattys) Date: Wed, 10 Oct 2007 09:04:14 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90> Message-ID: <003001c80b3e$1023aaf0$0202a8c0@Laptop> I must say that it was the examples on the ColbyConsulting website that propelled me into serious Access development in 1998 and steered me over to Shamil's site where I learned WithEvents classes in Access in 1999. Keep riding the wave, John & Shamil. Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely impressed > with the functionality of VB.Net and Visual Studio. .NET 2.0 is a > programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in fact > my > experience with that was one reason I delayed so long in trying to do the > 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com From max.wanadoo at gmail.com Wed Oct 10 08:17:27 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 10 Oct 2007 14:17:27 +0100 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: Message-ID: <009501c80b3f$e86e3140$8119fea9@LTVM> What sort of questions do they ask? Is it Access related or anything to do with MS Office? Ta MAx -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:50 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 08:29:21 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 15:29:21 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Max Not very likely, but study the list at the link. /gustav >>> max.wanadoo at gmail.com 10-10-2007 15:17 >>> What sort of questions do they ask? Is it Access related or anything to do with MS Office? Ta MAx -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:50 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From jwcolby at colbyconsulting.com Wed Oct 10 09:01:35 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 10:01:35 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <009701c80b46$125efb50$657aa8c0@M90> Well, I just renewed to avoid that hassle for another year. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 8:50 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 10 09:07:57 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 10 Oct 2007 09:07:57 -0500 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <009701c80b46$125efb50$657aa8c0@M90> References: <009701c80b46$125efb50$657aa8c0@M90> Message-ID: Me too. GK On 10/10/07, jwcolby wrote: > Well, I just renewed to avoid that hassle for another year. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 8:50 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web > Solution Providers > > Hi Jim > > That's right, but only every second year, and it is an on-line course: > > https://partner.microsoft.com/actionpack > https://partner.microsoft.com/40044196 > > Some of these my colleague can do with closed eyes ... > > /gustav > > >>> jimdettman at verizon.net 10-10-2007 14:35 >>> > Gustav, > > I hate the Microsoft exam circus as well and in fact gave up on the SBS > certification because of it. But got bad news for you; the Action Pack will > shortly require passing a Microsoft exam in order to continue to receive the > subscription. > > They want to get rid of the deadwood. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack, now with special edition toolkit for Web > Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" as > the ROI is zero. Thus, our official Small Business Specialist status will be > lost (and our clients don't care as they hardly knew that anyway). No big > deal. > > However, that status have the additional benefit that combined with the > Action Pack Subscription (where the ROI is huge) you are offered Visual > Studio Standard 2005 for free. So no SB partner => no free VS which is bad > now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could be of > interest for those of you not having Visual Studio yet or have felt the > limitations of the free Express editions, a "special edition toolkit" for > Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by > spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From DWUTKA at Marlow.com Wed Oct 10 09:11:20 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:11:20 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <007001c80ad2$e94ee1d0$657aa8c0@M90> Message-ID: He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Wed Oct 10 09:13:33 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:13:33 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <004201c80ada$05bcb2a0$6501a8c0@jefferson> Message-ID: Ah, I see. Just curious. I have older programs (mostly games) that I find play better in Virtual PC, then in a 'dos window'. My favorite word processor was SPFPC. It is DOS edit on steroids. Used to be an internal IBM only application, but in it's final versions someone decided to release it. (my dad worked for IBM when I was growing up) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 8:08 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From max.wanadoo at gmail.com Wed Oct 10 09:17:45 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 10 Oct 2007 15:17:45 +0100 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <00ae01c80b48$550c27f0$8119fea9@LTVM> If you are talking about William Hindman, he posted last month (or possibly the month before) Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Wednesday, October 10, 2007 3:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 10 09:22:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 07:22:15 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: My company just qualified as a full Microsoft Partner, so I imagine we'll get those goodies anyhow. It was kind of funny, because we suddenly got a shipment of boxes of various sizes, so it looked like we were getting a bunch of goodies. When opened, the packages included a Microsoft Partner banner (we haven't figured out what to do with that item), a couple of fancy stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. One of our developers wondered if they issued badges as well, like law enforcement. You show up at a client and flash you MP (Microsoft Partner) badge and they stop doing stupid stuff with your application! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 10 09:23:39 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 07:23:39 -0700 Subject: [AccessD] Combo box default value In-Reply-To: References: Message-ID: True, and I've used that myself, but it is kind of overkill if the developer is building one-off code. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Combo box default value Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the > most often chosen should be the top item in the combo right? If that's > the case, you simply set the default value to the first item -- > there's a simple expression for doing so that I can't recall off the > top of my head -- someone's going to know it -- > > control.Data(0) > > or something like that. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 09:38:04 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 16:38:04 +0200 Subject: [AccessD] Combo box default value Message-ID: Hi Charlotte I see your point and I myself very seldom use column heads. A side note: If replacing 0 with Abs(.ColumnHeads) is overkill what is the wording for inserting one code line? Massive overkill!? /gustav >>> cfoust at infostatsystems.com 10-10-2007 16:23 >>> True, and I've used that myself, but it is kind of overkill if the developer is building one-off code. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Combo box default value Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the > most often chosen should be the top item in the combo right? If that's > the case, you simply set the default value to the first item -- > there's a simple expression for doing so that I can't recall off the > top of my head -- someone's going to know it -- > > control.Data(0) > > or something like that. From jwcolby at colbyconsulting.com Wed Oct 10 09:42:48 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 10:42:48 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <009f01c80b4b$d506e230$657aa8c0@M90> ROTFL. I need one of those badges. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 10, 2007 10:22 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers My company just qualified as a full Microsoft Partner, so I imagine we'll get those goodies anyhow. It was kind of funny, because we suddenly got a shipment of boxes of various sizes, so it looked like we were getting a bunch of goodies. When opened, the packages included a Microsoft Partner banner (we haven't figured out what to do with that item), a couple of fancy stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. One of our developers wondered if they issued badges as well, like law enforcement. You show up at a client and flash you MP (Microsoft Partner) badge and they stop doing stupid stuff with your application! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Wed Oct 10 09:46:10 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:46:10 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <00ae01c80b48$550c27f0$8119fea9@LTVM> Message-ID: Here....not on OT. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Wednesday, October 10, 2007 9:18 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs If you are talking about William Hindman, he posted last month (or possibly the month before) Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Wednesday, October 10, 2007 3:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Wed Oct 10 09:47:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 10 Oct 2007 10:47:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <009f01c80b4b$d506e230$657aa8c0@M90> Message-ID: <00c501c80b4d$abaf0320$4b3a8343@SusanOne> Charlotte, were you involved in the process of acquiring partnership? I'd like to hear what the process is like and in the end, just what does that badge of honor net for you and your company besides some free gifts? Susan H. > My company just qualified as a full Microsoft Partner, so I imagine we'll > get those goodies anyhow. It was kind of funny, because we suddenly got a > shipment of boxes of various sizes, so it looked like we were getting a > bunch of goodies. When opened, the packages included a Microsoft Partner > banner (we haven't figured out what to do with that item), a couple of > fancy > stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. > One of our developers wondered if they issued badges as well, like law > enforcement. You show up at a client and flash you MP (Microsoft Partner) > badge and they stop doing stupid stuff with your application! LOL From cfoust at infostatsystems.com Wed Oct 10 10:05:45 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 08:05:45 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <00c501c80b4d$abaf0320$4b3a8343@SusanOne> References: <009f01c80b4b$d506e230$657aa8c0@M90> <00c501c80b4d$abaf0320$4b3a8343@SusanOne> Message-ID: We had to produce a commercial product using Microsoft software and have it examined and passed by a company (which turned out to be in China, BTW) contracting with Microsoft. I believe one of our developers had to be certified, but I think he already was, so that wasn't an issue. Hmmn, of course there are those who say that ALL developers are certifiable .... LOL There's a time limit on meeting the requirements, but I don't recall what it was, a year or two. I was involved only as a developer helping create the application. We can now market ourselves as a Microsoft Partner, put their logo on our website and materials, ... and I have managed to forget any other benes. We get all the Microsoft software for our company's use, operating systems, server products, Office, the works. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 10, 2007 7:48 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Charlotte, were you involved in the process of acquiring partnership? I'd like to hear what the process is like and in the end, just what does that badge of honor net for you and your company besides some free gifts? Susan H. > My company just qualified as a full Microsoft Partner, so I imagine > we'll get those goodies anyhow. It was kind of funny, because we > suddenly got a shipment of boxes of various sizes, so it looked like > we were getting a bunch of goodies. When opened, the packages > included a Microsoft Partner banner (we haven't figured out what to do > with that item), a couple of fancy stand up plaques proclaiming us > 2007 partners, and logos, stickers, etc. > One of our developers wondered if they issued badges as well, like law > enforcement. You show up at a client and flash you MP (Microsoft > Partner) badge and they stop doing stupid stuff with your application! > LOL -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 10 10:19:35 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 10 Oct 2007 10:19:35 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: <00ae01c80b48$550c27f0$8119fea9@LTVM> Message-ID: Actually I see posts from him to OT in March of this year. I think he got busy with work and with hurricane preperation. Half a year. GK On 10/10/07, Drew Wutka wrote: > Here....not on OT. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > Sent: Wednesday, October 10, 2007 9:18 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > If you are talking about William Hindman, he posted last month (or > possibly > the month before) > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Wednesday, October 10, 2007 3:11 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > He hasn't posted in probably close to a year. > > Drew > -- Gary Kjos garykjos at gmail.com From DWUTKA at Marlow.com Wed Oct 10 10:23:28 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 10:23:28 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Your right, I wonder if his ear are tingling. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Wednesday, October 10, 2007 10:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Actually I see posts from him to OT in March of this year. I think he got busy with work and with hurricane preperation. Half a year. GK On 10/10/07, Drew Wutka wrote: > Here....not on OT. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > Sent: Wednesday, October 10, 2007 9:18 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > If you are talking about William Hindman, he posted last month (or > possibly > the month before) > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Wednesday, October 10, 2007 3:11 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > He hasn't posted in probably close to a year. > > Drew > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Wed Oct 10 10:24:56 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 17:24:56 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav >>> DWUTKA at marlow.com 10-10-2007 16:13 >>> Ah, I see. Just curious. I have older programs (mostly games) that I find play better in Virtual PC, then in a 'dos window'. My favorite word processor was SPFPC. It is DOS edit on steroids. Used to be an internal IBM only application, but in it's final versions someone decided to release it. (my dad worked for IBM when I was growing up) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 8:08 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew From DWUTKA at Marlow.com Wed Oct 10 10:43:44 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 10:43:44 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Wed Oct 10 10:54:04 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 17:54:04 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi Drew Thanks. But it seems more like an editor than a word processor, so I guess mostly programmers know about it. /gustav >>> DWUTKA at marlow.com 10-10-2007 17:43 >>> Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav From DWUTKA at Marlow.com Wed Oct 10 11:01:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 11:01:57 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Ya, it was more of an editor, but it had some word processing features too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:54 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Thanks. But it seems more like an editor than a word processor, so I guess mostly programmers know about it. /gustav >>> DWUTKA at marlow.com 10-10-2007 17:43 >>> Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From rockysmolin at bchacc.com Wed Oct 10 11:24:05 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 10 Oct 2007 09:24:05 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <200710091904.l99J42q3003686@databaseadvisors.com> References: <200710091904.l99J42q3003686@databaseadvisors.com> Message-ID: <001301c80b59$fa2ff160$0301a8c0@HAL9005> TRS-DOS (raising hand). Wrote some lead tracking software for my wife who started a business doing lead fulfillment for local companies. Great days. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 09, 2007 12:00 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs So did any of you guys use Condor 3 or DataPerfect? Tandy 1000 MS-DOS? Tandy 4p CP/M, TRS-DOS, etc.? At 12:00 PM 10/9/2007, you wrote: >Date: Tue, 09 Oct 2007 18:55:10 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi John > >You could have written her a macro or two. Oh boy, brings back memories >struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot >of macros for clients - it was dark ages compared to now. > >/gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> >LOL. There was no future in WP. I kept telling her to email you with >her questions but she refused... What was I to do? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From ssharkins at gmail.com Wed Oct 10 12:52:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 10 Oct 2007 13:52:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <009f01c80b4b$d506e230$657aa8c0@M90><00c501c80b4d$abaf0320$4b3a8343@SusanOne> Message-ID: <005401c80b66$6aca9450$4b3a8343@SusanOne> > We had to produce a commercial product using Microsoft software and have > it examined and passed by a company (which turned out to be in China, > BTW) contracting with Microsoft. I believe one of our developers had to > be certified, but I think he already was, so that wasn't an issue. =========Did MS assign the company or do you guys just pick one -- I know that getting products certified is a cottage industry -- perhaps partnership is too or is considered part of the same process? > > There's a time limit on meeting the requirements, but I don't recall > what it was, a year or two. I was involved only as a developer helping > create the application. We can now market ourselves as a Microsoft > Partner, put their logo on our website and materials, ... and I have > managed to forget any other benes. We get all the Microsoft software > for our company's use, operating systems, server products, Office, the > works. =========A client is researching this process, so I'd be glad to learn more about it. Susan H. From cfoust at infostatsystems.com Wed Oct 10 12:57:01 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 10:57:01 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <005401c80b66$6aca9450$4b3a8343@SusanOne> References: <009f01c80b4b$d506e230$657aa8c0@M90><00c501c80b4d$abaf0320$4b3a8343@SusanOne> <005401c80b66$6aca9450$4b3a8343@SusanOne> Message-ID: Nope, we had no idea who was certifying it. It was only when Microsoft told us we'd passed that we found out who had examined it. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 10, 2007 10:53 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > We had to produce a commercial product using Microsoft software and > have it examined and passed by a company (which turned out to be in > China, > BTW) contracting with Microsoft. I believe one of our developers had > to be certified, but I think he already was, so that wasn't an issue. =========Did MS assign the company or do you guys just pick one -- I know that getting products certified is a cottage industry -- perhaps partnership is too or is considered part of the same process? > > There's a time limit on meeting the requirements, but I don't recall > what it was, a year or two. I was involved only as a developer > helping create the application. We can now market ourselves as a > Microsoft Partner, put their logo on our website and materials, ... > and I have managed to forget any other benes. We get all the > Microsoft software for our company's use, operating systems, server > products, Office, the works. =========A client is researching this process, so I'd be glad to learn more about it. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Thu Oct 11 04:08:36 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Thu, 11 Oct 2007 11:08:36 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers (update) Message-ID: Hi all It appears that taking a course to obtain the Web Solution toolkit also fulfills the requirement for the Action Pack: https://partner.microsoft.com/40047166 Note: If you successfully complete one of the Web Solutions assessments, you'll also meet the assessment requirement to receive the full Action Pack Subscription. Now, the intro course listed here: https://training.partner.microsoft.com/plc/search_adv.aspx?ssid=13188e70-a871-4e14-83c6-24ebf503360b Microsoft Expression Quick Start: Creating a Standards-Based Website https://training.partner.microsoft.com/plc/details.aspx?systemid=1715370&page=/plc/search_adv.aspx is quite easy. Should you miss the 70% score, go to My Training, cancel the course and take it again. /gustav >>> Gustav at cactus.dk 10-10-2007 14:50 >>> Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From wdhindman at dejpolsystems.com Thu Oct 11 21:08:55 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Thu, 11 Oct 2007 22:08:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90> Message-ID: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> ...I too have shifted my development environment from primarily Access to .Net ...and if you like 2 you're going to love 3.5 :) ...if only there was an AccessD equivalent for .Net ...tried quite a few ...keep coming back here for some damn reason :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely impressed > with the functionality of VB.Net and Visual Studio. .NET 2.0 is a > programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in fact > my > experience with that was one reason I delayed so long in trying to do the > 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack,now with special edition toolkit for Web > Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" > as > the ROI is zero. Thus, our official Small Business Specialist status will > be > lost (and our clients don't care as they hardly knew that anyway). No big > deal. > > However, that status have the additional benefit that combined with the > Action Pack Subscription (where the ROI is huge) you are offered Visual > Studio Standard 2005 for free. So no SB partner => no free VS which is bad > now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could be > of > interest for those of you not having Visual Studio yet or have felt the > limitations of the free Express editions, a "special edition toolkit" for > Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to pay > by > spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 11 22:18:58 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 11 Oct 2007 23:18:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> Message-ID: <000801c80c7e$a1b363c0$657aa8c0@M90> Well William, good to hear from you. There are a few of us hanging out on the AccessD VB group. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Thursday, October 11, 2007 10:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers ...I too have shifted my development environment from primarily Access to .Net ...and if you like 2 you're going to love 3.5 :) ...if only there was an AccessD equivalent for .Net ...tried quite a few ...keep coming back here for some damn reason :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely > impressed with the functionality of VB.Net and Visual Studio. .NET > 2.0 is a programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in > fact my experience with that was one reason I delayed so long in > trying to do the 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack,now with special edition toolkit for > Web Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" > as > the ROI is zero. Thus, our official Small Business Specialist status > will be lost (and our clients don't care as they hardly knew that > anyway). No big deal. > > However, that status have the additional benefit that combined with > the Action Pack Subscription (where the ROI is huge) you are offered > Visual Studio Standard 2005 for free. So no SB partner => no free VS > which is bad now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could > be of interest for those of you not having Visual Studio yet or have > felt the limitations of the free Express editions, a "special edition > toolkit" for Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to > pay by spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Fri Oct 12 00:15:37 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 12 Oct 2007 01:15:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> <000801c80c7e$a1b363c0$657aa8c0@M90> Message-ID: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> ...not enough critical mass in the dba-vb list jc :( William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 11, 2007 11:18 PM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Well William, good to hear from you. There are a few of us hanging out on > the AccessD VB group. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Thursday, October 11, 2007 10:09 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > ...I too have shifted my development environment from primarily Access to > .Net ...and if you like 2 you're going to love 3.5 :) > > ...if only there was an AccessD equivalent for .Net ...tried quite a few > ...keep coming back here for some damn reason :) > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Wednesday, October 10, 2007 8:43 AM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > >> Having started using VS2005 (in 2007) I must say I am extremely >> impressed with the functionality of VB.Net and Visual Studio. .NET >> 2.0 is a programmers dream, assuming you are willing to climb the >> learning > curve. >> I >> also have to say I was not nearly as impressed with .Net 1.0 and in >> fact my experience with that was one reason I delayed so long in >> trying to do the 2.0 stuff. >> >> I am nowhere near proficient with 2.0 but I like it a lot. >> >> John W. Colby >> Colby Consulting >> www.ColbyConsulting.com >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav >> Brock >> Sent: Wednesday, October 10, 2007 4:09 AM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Action Pack,now with special edition toolkit for >> Web Solution Providers >> >> Hi all >> >> We (my employer and I) don't want to spend money on the "MS exam circus" >> as >> the ROI is zero. Thus, our official Small Business Specialist status >> will be lost (and our clients don't care as they hardly knew that >> anyway). No big deal. >> >> However, that status have the additional benefit that combined with >> the Action Pack Subscription (where the ROI is huge) you are offered >> Visual Studio Standard 2005 for free. So no SB partner => no free VS >> which is bad now that VS2008 is close. >> >> But a new free add-on to the Action Pack is now announced which could >> be of interest for those of you not having Visual Studio yet or have >> felt the limitations of the free Express editions, a "special edition >> toolkit" for Web Solution Providers: >> >> https://partner.microsoft.com/webresourcekit >> >> It includes Microsoft Visual Studio Standard 2008 and Expression Studio. >> The estimated ship date for the kit is January 2008. >> >> One of the steps to obtain the kit is to: >> >> Successfully complete one of three free online courses and the >> associated assessment with a score of 70 percent or higher .. >> >> These seems to have a duration from 0,5 to 1,5 hours, so you have to >> pay by spending some of your valuable time! >> >> /gustav >> >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From darren at activebilling.com.au Fri Oct 12 01:06:09 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 12 Oct 2007 16:06:09 +1000 Subject: [AccessD] ADProject: Getting Database Name Message-ID: <200710120606.l9C664rG004981@databaseadvisors.com> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren From anitatiedemann at gmail.com Fri Oct 12 01:44:32 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 12 Oct 2007 16:44:32 +1000 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> <000801c80c7e$a1b363c0$657aa8c0@M90> <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> Message-ID: ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Thursday, October 11, 2007 11:18 PM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > > > Well William, good to hear from you. There are a few of us hanging out > on > > the AccessD VB group. > > > > > > John W. Colby > > Colby Consulting > > www.ColbyConsulting.com > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > > Sent: Thursday, October 11, 2007 10:09 PM > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > > Web > > Solution Providers > > > > ...I too have shifted my development environment from primarily Access > to > > .Net ...and if you like 2 you're going to love 3.5 :) > > > > ...if only there was an AccessD equivalent for .Net ...tried quite a few > > ...keep coming back here for some damn reason :) > > > > William > > > > ----- Original Message ----- > > From: "jwcolby" > > To: "'Access Developers discussion and problem solving'" > > > > Sent: Wednesday, October 10, 2007 8:43 AM > > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > > Web > > Solution Providers > > > > > >> Having started using VS2005 (in 2007) I must say I am extremely > >> impressed with the functionality of VB.Net and Visual Studio. .NET > >> 2.0 is a programmers dream, assuming you are willing to climb the > >> learning > > curve. > >> I > >> also have to say I was not nearly as impressed with .Net 1.0 and in > >> fact my experience with that was one reason I delayed so long in > >> trying to do the 2.0 stuff. > >> > >> I am nowhere near proficient with 2.0 but I like it a lot. > >> > >> John W. Colby > >> Colby Consulting > >> www.ColbyConsulting.com > >> -----Original Message----- > >> From: accessd-bounces at databaseadvisors.com > >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > >> Brock > >> Sent: Wednesday, October 10, 2007 4:09 AM > >> To: accessd at databaseadvisors.com > >> Subject: [AccessD] Action Pack,now with special edition toolkit for > >> Web Solution Providers > >> > >> Hi all > >> > >> We (my employer and I) don't want to spend money on the "MS exam > circus" > >> as > >> the ROI is zero. Thus, our official Small Business Specialist status > >> will be lost (and our clients don't care as they hardly knew that > >> anyway). No big deal. > >> > >> However, that status have the additional benefit that combined with > >> the Action Pack Subscription (where the ROI is huge) you are offered > >> Visual Studio Standard 2005 for free. So no SB partner => no free VS > >> which is bad now that VS2008 is close. > >> > >> But a new free add-on to the Action Pack is now announced which could > >> be of interest for those of you not having Visual Studio yet or have > >> felt the limitations of the free Express editions, a "special edition > >> toolkit" for Web Solution Providers: > >> > >> https://partner.microsoft.com/webresourcekit > >> > >> It includes Microsoft Visual Studio Standard 2008 and Expression > Studio. > >> The estimated ship date for the kit is January 2008. > >> > >> One of the steps to obtain the kit is to: > >> > >> Successfully complete one of three free online courses and the > >> associated assessment with a score of 70 percent or higher .. > >> > >> These seems to have a duration from 0,5 to 1,5 hours, so you have to > >> pay by spending some of your valuable time! > >> > >> /gustav > >> > >> > >> -- > >> AccessD mailing list > >> AccessD at databaseadvisors.com > >> http://databaseadvisors.com/mailman/listinfo/accessd > >> Website: http://www.databaseadvisors.com > >> > >> -- > >> AccessD mailing list > >> AccessD at databaseadvisors.com > >> http://databaseadvisors.com/mailman/listinfo/accessd > >> Website: http://www.databaseadvisors.com > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From Gustav at cactus.dk Fri Oct 12 05:23:32 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 12:23:32 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William From Gustav at cactus.dk Fri Oct 12 05:27:48 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 12:27:48 +0200 Subject: [AccessD] ADProject: Getting Database Name Message-ID: Hi Darren Would it be something like this: strConnect = "DATABASE=something;SERVER=192.168.1.100;PASSWORD=;PORT=3306;OPTION=3;STMT=;" strKey = "SERVER=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) /gustav >>> darren at activebilling.com.au 12-10-2007 08:06 >>> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren From carbonnb at gmail.com Fri Oct 12 06:57:14 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 07:57:14 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> Message-ID: On 10/11/07, William Hindman wrote: > ...if only there was an AccessD equivalent for .Net ...tried quite a few > ...keep coming back here for some damn reason :) Glutton for punishment? :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Fri Oct 12 07:06:06 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 08:06:06 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90> <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> Message-ID: <002101c80cc8$456bbbe0$657aa8c0@M90> I know that but critical mass is caused by people hanging out there. Please at least be there to help us achieve critical mass. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 12, 2007 1:16 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers ...not enough critical mass in the dba-vb list jc :( William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 11, 2007 11:18 PM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Well William, good to hear from you. There are a few of us hanging > out on the AccessD VB group. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Thursday, October 11, 2007 10:09 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > ...I too have shifted my development environment from primarily Access > to .Net ...and if you like 2 you're going to love 3.5 :) > > ...if only there was an AccessD equivalent for .Net ...tried quite a > few ...keep coming back here for some damn reason :) > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Wednesday, October 10, 2007 8:43 AM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > >> Having started using VS2005 (in 2007) I must say I am extremely >> impressed with the functionality of VB.Net and Visual Studio. .NET >> 2.0 is a programmers dream, assuming you are willing to climb the >> learning > curve. >> I >> also have to say I was not nearly as impressed with .Net 1.0 and in >> fact my experience with that was one reason I delayed so long in >> trying to do the 2.0 stuff. >> >> I am nowhere near proficient with 2.0 but I like it a lot. >> >> John W. Colby >> Colby Consulting >> www.ColbyConsulting.com >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav >> Brock >> Sent: Wednesday, October 10, 2007 4:09 AM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Action Pack,now with special edition toolkit for >> Web Solution Providers >> >> Hi all >> >> We (my employer and I) don't want to spend money on the "MS exam circus" >> as >> the ROI is zero. Thus, our official Small Business Specialist status >> will be lost (and our clients don't care as they hardly knew that >> anyway). No big deal. >> >> However, that status have the additional benefit that combined with >> the Action Pack Subscription (where the ROI is huge) you are offered >> Visual Studio Standard 2005 for free. So no SB partner => no free VS >> which is bad now that VS2008 is close. >> >> But a new free add-on to the Action Pack is now announced which could >> be of interest for those of you not having Visual Studio yet or have >> felt the limitations of the free Express editions, a "special edition >> toolkit" for Web Solution Providers: >> >> https://partner.microsoft.com/webresourcekit >> >> It includes Microsoft Visual Studio Standard 2008 and Expression Studio. >> The estimated ship date for the kit is January 2008. >> >> One of the steps to obtain the kit is to: >> >> Successfully complete one of three free online courses and the >> associated assessment with a score of 70 percent or higher .. >> >> These seems to have a duration from 0,5 to 1,5 hours, so you have to >> pay by spending some of your valuable time! >> >> /gustav >> >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 07:07:18 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 08:07:18 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <002201c80cc8$6fce1b30$657aa8c0@M90> I would love to have that happen. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 12 08:04:00 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:04:00 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> <002101c80cc8$456bbbe0$657aa8c0@M90> Message-ID: <005501c80cd0$62315430$4b3a8343@SusanOne> Well, I'll bite -- can you guys hold my hand through the process. I really do NOT want to learn another new technology, but at this point, can't hurt anything to try. I mean, I'm so dense on the subject that I don't know where to start. I do believe that I have .net because I have SQL Server 2005 Express and it required .net, but beyond that -- no clue what to do with it. Susan H. >I know that but critical mass is caused by people hanging out there. >Please > at least be there to help us achieve critical mass. From pharold at proftesting.com Fri Oct 12 08:06:30 2007 From: pharold at proftesting.com (Perry L Harold) Date: Fri, 12 Oct 2007 09:06:30 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: Message-ID: Everyone hasn't switched to dot net. Perry Harold Professional Testing Inc -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 08:22:37 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 09:22:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <005501c80cd0$62315430$4b3a8343@SusanOne> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90> <005501c80cd0$62315430$4b3a8343@SusanOne> Message-ID: <003401c80cd2$f7cea680$657aa8c0@M90> LOL. I hear you Susan. As for "I must have...", nope, not true. SQL Server 2005 uses the .net framework but the programming language and environment layers are not embedded in SQL Server. You can get VB.Net Express for free from a download on MS site. http://msdn2.microsoft.com/en-us/express/aa718406.aspx That is a programming environment that mimics Visual Studio.Net. In fact is it so close in look and feel that it may be a subset. There are some subtle programming differences that prevent VB.Net Express programs from being easily portable to the full on version, but the express version will allow you to get your feet wet for free, and in fact it allows you to write full on VB.Net programs for free. Highly recommended for the people who do not intend to develop industrial grade applications in .Net but would like to see / learn the VB.Net syntax and even write programs in it. It is simpler than the Visual Studio environment but will still be a learning curve. OTOH it has been easy for developers to get free STANDARD versions of Visual Studio.Net. I got one by attending a product event back when SQL Server 2005 was being introduced. I also got one for watching a pair of videos on the MS site. I think the same kind of thing is happening now for the VS2008 version and I will be doing that when I discover how. Move your questions over to the VB list and you can get a lot of help there. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 12, 2007 9:04 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Well, I'll bite -- can you guys hold my hand through the process. I really do NOT want to learn another new technology, but at this point, can't hurt anything to try. I mean, I'm so dense on the subject that I don't know where to start. I do believe that I have .net because I have SQL Server 2005 Express and it required .net, but beyond that -- no clue what to do with it. Susan H. >I know that but critical mass is caused by people hanging out there. >Please > at least be there to help us achieve critical mass. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Fri Oct 12 08:22:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 15:22:07 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Perry You mean (it's Friday): Everyone hasn't switched to dot yet? I didn't mean to exclude someone. But traffic on that list is really low, and I'm sure there would still be room for VB6 postings. /gustav >>> pharold at proftesting.com 12-10-2007 15:06 >>> Everyone hasn't switched to dot net. Perry Harold Professional Testing Inc -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William From ssharkins at gmail.com Fri Oct 12 08:31:37 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:31:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne> <003401c80cd2$f7cea680$657aa8c0@M90> Message-ID: <008f01c80cd4$43cfc8b0$4b3a8343@SusanOne> > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. ========So Express will run without it? It wouldn't with the beta and that I'm sure of -- ask me how I know. :) > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In fact > is > it so close in look and feel that it may be a subset. There are some > subtle > programming differences that prevent VB.Net Express programs from being > easily portable to the full on version, but the express version will allow > you to get your feet wet for free, and in fact it allows you to write full > on VB.Net programs for free. Highly recommended for the people who do not > intend to develop industrial grade applications in .Net but would like to > see / learn the VB.Net syntax and even write programs in it. It is > simpler > than the Visual Studio environment but will still be a learning curve. =========Sounds like a good place to start, thanks. I'll download it this morning and join the VB list -- can't promise I'll actually do anything. ;) I do have VB Express, in fact, I think I may have the entire Express studio, but I can't recall. I'd have to get in the closet... > > OTOH it has been easy for developers to get free STANDARD versions of > Visual > Studio.Net. I got one by attending a product event back when SQL Server > 2005 was being introduced. I also got one for watching a pair of videos > on > the MS site. I think the same kind of thing is happening now for the > VS2008 > version and I will be doing that when I discover how. ==========Well, that's good. If someone runs into one of these free offers, please post a link for the rest of us, just in case. > > Move your questions over to the VB list and you can get a lot of help > there. ==========I will. Thanks. Susan H. From ssharkins at gmail.com Fri Oct 12 08:33:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:33:59 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne> <003401c80cd2$f7cea680$657aa8c0@M90> Message-ID: <009401c80cd4$9e5611e0$4b3a8343@SusanOne> OK, here's a question -- are VB Express and VB.NET express the same thing? Susan H. > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In fact > is > it so close in look and feel that it may be a subset. There are some > subtle > programming differences that prevent VB.Net Express programs from being > easily portable to the full on version, but the express version will allow > you to get your feet wet for free, and in fact it allows you to write full > on VB.Net programs for free. Highly recommended for the people who do not > intend to develop industrial grade applications in .Net but would like to > see / learn the VB.Net syntax and even write programs in it. It is > simpler > than the Visual Studio environment but will still be a learning curve. > > OTOH it has been easy for developers to get free STANDARD versions of > Visual > Studio.Net. I got one by attending a product event back when SQL Server > 2005 was being introduced. I also got one for watching a pair of videos > on > the MS site. I think the same kind of thing is happening now for the > VS2008 > version and I will be doing that when I discover how. > > Move your questions over to the VB list and you can get a lot of help > there. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins > Sent: Friday, October 12, 2007 9:04 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > Well, I'll bite -- can you guys hold my hand through the process. I really > do NOT want to learn another new technology, but at this point, can't hurt > anything to try. I mean, I'm so dense on the subject that I don't know > where > to start. I do believe that I have .net because I have SQL Server 2005 > Express and it required .net, but beyond that -- no clue what to do with > it. > > Susan H. > > >>I know that but critical mass is caused by people hanging out there. >>Please >> at least be there to help us achieve critical mass. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From carbonnb at gmail.com Fri Oct 12 08:39:20 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 09:39:20 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: On 10/12/07, Gustav Brock wrote: > I didn't mean to exclude someone. But traffic on that list is really low, and I'm sure there would still be room for VB6 postings. No worries folks. Nothing is changing at the moment. John (our illustrious president) and I are discussing this suggestion. Well I sent him an e-mail a short while ago and waiting for him to come online :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Fri Oct 12 09:38:43 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 07:38:43 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <009401c80cd4$9e5611e0$4b3a8343@SusanOne> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne><003401c80cd2$f7cea680$657aa8c0@M90> <009401c80cd4$9e5611e0$4b3a8343@SusanOne> Message-ID: VB.Net is VB7, so I'd say the answer is yes. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 12, 2007 6:34 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers OK, here's a question -- are VB Express and VB.NET express the same thing? Susan H. > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In > fact is it so close in look and feel that it may be a subset. There > are some subtle programming differences that prevent VB.Net Express > programs from being easily portable to the full on version, but the > express version will allow you to get your feet wet for free, and in > fact it allows you to write full on VB.Net programs for free. Highly > recommended for the people who do not intend to develop industrial > grade applications in .Net but would like to see / learn the VB.Net > syntax and even write programs in it. It is simpler than the Visual > Studio environment but will still be a learning curve. > > OTOH it has been easy for developers to get free STANDARD versions of > Visual Studio.Net. I got one by attending a product event back when > SQL Server > 2005 was being introduced. I also got one for watching a pair of > videos on the MS site. I think the same kind of thing is happening > now for the > VS2008 > version and I will be doing that when I discover how. > > Move your questions over to the VB list and you can get a lot of help > there. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan > Harkins > Sent: Friday, October 12, 2007 9:04 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > Well, I'll bite -- can you guys hold my hand through the process. I > really do NOT want to learn another new technology, but at this point, > can't hurt anything to try. I mean, I'm so dense on the subject that I > don't know where to start. I do believe that I have .net because I > have SQL Server 2005 Express and it required .net, but beyond that -- > no clue what to do with it. > > Susan H. > > >>I know that but critical mass is caused by people hanging out there. >>Please >> at least be there to help us achieve critical mass. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 10:12:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 11:12:51 -0400 Subject: [AccessD] Unlocker Message-ID: <000f01c80ce2$5c4d6f60$657aa8c0@M90> I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com From DWUTKA at Marlow.com Fri Oct 12 10:51:38 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 12 Oct 2007 10:51:38 -0500 Subject: [AccessD] Unlocker In-Reply-To: <000f01c80ce2$5c4d6f60$657aa8c0@M90> Message-ID: Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jimdettman at verizon.net Fri Oct 12 11:12:51 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 12 Oct 2007 12:12:51 -0400 Subject: [AccessD] Unlocker In-Reply-To: References: <000f01c80ce2$5c4d6f60$657aa8c0@M90> Message-ID: <000901c80cea$bd9cf580$8abea8c0@XPS> Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Fri Oct 12 11:53:24 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 12 Oct 2007 11:53:24 -0500 Subject: [AccessD] Unlocker In-Reply-To: <000901c80cea$bd9cf580$8abea8c0@XPS> Message-ID: No, it should work for a locally used file too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 12, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Unlocker Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From carbonnb at gmail.com Fri Oct 12 15:24:03 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 16:24:03 -0400 Subject: [AccessD] Dear DBA.... Message-ID: Friday Humour http://weblogs.sqlteam.com/jeffs/archive/2007/03/28/60145.aspx -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From robert at webedb.com Fri Oct 12 14:04:55 2007 From: robert at webedb.com (Robert L. Stewart) Date: Fri, 12 Oct 2007 14:04:55 -0500 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: References: Message-ID: <200710122114.l9CLDwbI003119@databaseadvisors.com> Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William From cfoust at infostatsystems.com Fri Oct 12 15:55:46 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 13:55:46 -0700 Subject: [AccessD] Dear DBA.... In-Reply-To: References: Message-ID: ROTFL I just got notified that we're making some table changes that will require me to totally rebuild a number of forms/subforms and all the interaction involved. Perfect timing! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Friday, October 12, 2007 1:24 PM To: Access Developers discussion and problem solving Subject: [AccessD] Dear DBA.... Friday Humour http://weblogs.sqlteam.com/jeffs/archive/2007/03/28/60145.aspx -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Fri Oct 12 15:56:49 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 13:56:49 -0700 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: <200710122114.l9CLDwbI003119@databaseadvisors.com> References: <200710122114.l9CLDwbI003119@databaseadvisors.com> Message-ID: I haven't seen any activity at all there lately except from us dotNet types. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Friday, October 12, 2007 12:05 PM To: accessd at databaseadvisors.com Subject: [AccessD] Rename to dba-dotNet fron dba-vb Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From nd500_lo at charter.net Fri Oct 12 16:15:41 2007 From: nd500_lo at charter.net (Dian) Date: Fri, 12 Oct 2007 14:15:41 -0700 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: References: <200710122114.l9CLDwbI003119@databaseadvisors.com> Message-ID: <000501c80d15$0b62d580$6400a8c0@dsunit1> Ummmmmm...silly question, I'm sure...but, since not all of us are into Access exclusively, although it remains close to our hearts...couldn't we rename THIS list to simply "Database Advisors" or something and include the new technologies as they come up? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 12, 2007 1:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Rename to dba-dotNet fron dba-vb I haven't seen any activity at all there lately except from us dotNet types. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Friday, October 12, 2007 12:05 PM To: accessd at databaseadvisors.com Subject: [AccessD] Rename to dba-dotNet fron dba-vb Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 12 16:39:52 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 12 Oct 2007 17:39:52 -0400 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: <000501c80d15$0b62d580$6400a8c0@dsunit1> References: <200710122114.l9CLDwbI003119@databaseadvisors.com> <000501c80d15$0b62d580$6400a8c0@dsunit1> Message-ID: <29f585dd0710121439q78f3b0e6kfa685482041cef46@mail.gmail.com> Absitively and posolutely not. (c.f. eecummings) Hey, it's Friday. On 10/12/07, Dian wrote: > > Ummmmmm...silly question, I'm sure...but, since not all of us are into > Access exclusively, although it remains close to our hearts...couldn't we > rename THIS list to simply "Database Advisors" or something and include > the > new technologies as they come up? > From wdhindman at dejpolsystems.com Fri Oct 12 20:08:58 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 12 Oct 2007 21:08:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: Message-ID: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> ...imnsho, the name change would be most helpful ...I'm focusing on C# rather than vb ...you might be amazed at how easy the move from vb to C# really is, especially with the growing number of code translators available ...and you know if I can do it, anyone can :) William ----- Original Message ----- From: "Bryan Carbonnell" To: "Access Developers discussion and problem solving" Sent: Friday, October 12, 2007 9:39 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > On 10/12/07, Gustav Brock wrote: > >> I didn't mean to exclude someone. But traffic on that list is really low, >> and I'm sure there would still be room for VB6 postings. > > No worries folks. Nothing is changing at the moment. > > John (our illustrious president) and I are discussing this suggestion. > Well I sent him an e-mail a short while ago and waiting for him to > come online :) > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 12 20:17:58 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 12 Oct 2007 21:17:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> References: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> Message-ID: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> There's a purely monetary reason for going that way, too. According to my admittedly loose stats, you make about +$15 an hour by claiming C# vs. VB.NET. I agree with you, William, C# is a piece of cake given even a modicum of VB.NET. But there seems to be a monetary advantage as well. And to be fair, there are a couple of things you can do in C# that you can't in VB.NET. As to the name change, I'm seriously in favour. Who programs in VB6 any more? Somebody, somewhere, no doubt. But to preserve the name for him? A. On 10/12/07, William Hindman wrote: > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > rather than vb ...you might be amazed at how easy the move from vb to C# > really is, especially with the growing number of code translators > available > ...and you know if I can do it, anyone can :) > > William > From jimdettman at verizon.net Fri Oct 12 20:41:16 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 12 Oct 2007 21:41:16 -0400 Subject: [AccessD] Unlocker In-Reply-To: References: <000901c80cea$bd9cf580$8abea8c0@XPS> Message-ID: <00cc01c80d3a$25d2dee0$8abea8c0@XPS> Drew, Only if it's accessed through a share. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 12:53 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker No, it should work for a locally used file too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 12, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Unlocker Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Sat Oct 13 03:13:17 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 13 Oct 2007 12:13:17 +0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> Message-ID: <000001c80d70$e8e921b0$6401a8c0@nant> Yes, that would be very useful to talk about C# in DBA-CS (?). IMO C# is great not only as very laconic and powerful programming language etc.etc. but also because it's so easy to post and copy and paste and run code samples written on C# and posted in e-mail messages where they can get "screwed"/wrapped out because of message's text line length limitations etc. Here is a simple sample to demonstrate this C# feature-by-design: Save the following two lines into hw.cs: using System;class hw {static void Main(){Console.WriteLine("\nHello, World!\n");}} Save the following seven lines into csc.bat @echo off echo Compiling hw.cs... C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\csc.exe hw.cs /nologo echo Running hw.exe... hw.exe pause del hw.exe In the case you have .NET Framework installed in C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727 you'll get the following results while running csc.bat: Compiling hw.cs... Running hw.exe... Hello, World! Press any key to continue . . . Of course you can generalize this idea to have parameterized batch files as well as csc.exe and/or vbc.exe response files as well as msbuild.exe project files as well as ... - then you can get very advanced samples compiled and built from source files without VS and "automagically" tested if samples will be supplied with (unit) tests for tools like NUnit... And with some more efforts you can get agile software factory continually integrating (CruseControl.NET) and (re-)deploying in hot mode your customers' applications automagically built from code snippets borrowed from all corners of Internet... A kind of kidding about the latter of course but... And a funny story in the end: "I've got so angry today: when I've got back home I have found a diskette sticked by a magnet to the fridge's door with a note: 'Darling, here is the diskette with important documents you've been desperately looking for all the yesterday evening...' " I must note that's not a story about my wife - I do not use diskettes for a long time now :) BTW, we have a XXVI's Wedding Anniversary today... Have nice weekend. :) -- Shamil P.S. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Saturday, October 13, 2007 5:18 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers There's a purely monetary reason for going that way, too. According to my admittedly loose stats, you make about +$15 an hour by claiming C# vs. VB.NET. I agree with you, William, C# is a piece of cake given even a modicum of VB.NET. But there seems to be a monetary advantage as well. And to be fair, there are a couple of things you can do in C# that you can't in VB.NET. As to the name change, I'm seriously in favour. Who programs in VB6 any more? Somebody, somewhere, no doubt. But to preserve the name for him? A. On 10/12/07, William Hindman wrote: > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > rather than vb ...you might be amazed at how easy the move from vb to C# > really is, especially with the growing number of code translators > available > ...and you know if I can do it, anyone can :) > > William > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Sat Oct 13 08:48:00 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sat, 13 Oct 2007 09:48:00 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <000001c80d70$e8e921b0$6401a8c0@nant> Message-ID: <001801c80d9f$ac1ea5f0$0c10a8c0@jisshowsbs.local> ...as usual, most of that kind of whoooshed right on by me ...but congrats on the anniversary :) ...I will say that I've been very surprised by how easily large parts of my Access code ported to vb.net and eventually C# ...a couple of paradigm changes in understanding inheritance and objects but otherwise I'm finding it at least as easy as vba ever was ...and there are so many freaking things that dotnet does automagically that Access pales in comparison ...and I've just begun to poke at its possibilities. William ----- Original Message ----- From: "Shamil Salakhetdinov" To: "'Access Developers discussion and problem solving'" Sent: Saturday, October 13, 2007 4:13 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Yes, that would be very useful to talk about C# in DBA-CS (?). > > IMO C# is great not only as very laconic and powerful programming language > etc.etc. but also because it's so easy to post and copy and paste and run > code samples written on C# and posted in e-mail messages where they can > get > "screwed"/wrapped out because of message's text line length limitations > etc. > > Here is a simple sample to demonstrate this C# feature-by-design: > > Save the following two lines into hw.cs: > > using System;class hw {static void Main(){Console.WriteLine("\nHello, > World!\n");}} > > Save the following seven lines into csc.bat > > @echo off > echo Compiling hw.cs... > C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\csc.exe hw.cs /nologo > echo Running hw.exe... > hw.exe > pause > del hw.exe > > In the case you have .NET Framework installed in > C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727 you'll get the following > results while running csc.bat: > > Compiling hw.cs... > Running hw.exe... > > Hello, World! > > Press any key to continue . . . > > Of course you can generalize this idea to have parameterized batch files > as > well as csc.exe and/or vbc.exe response files as well as msbuild.exe > project > files as well as ... - then you can get very advanced samples compiled and > built from source files without VS and "automagically" tested if samples > will be supplied with (unit) tests for tools like NUnit... > > And with some more efforts you can get agile software factory continually > integrating (CruseControl.NET) and (re-)deploying in hot mode your > customers' applications automagically built from code snippets borrowed > from > all corners of Internet... > > A kind of kidding about the latter of course but... > > And a funny story in the end: > > "I've got so angry today: when I've got back home I have found a diskette > sticked by a magnet to the fridge's door with a note: 'Darling, here is > the > diskette with important documents you've been desperately looking for all > the yesterday evening...' " > > I must note that's not a story about my wife - I do not use diskettes for > a > long time now :) > > BTW, we have a XXVI's Wedding Anniversary today... > > Have nice weekend. :) > > -- > Shamil > > P.S. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Saturday, October 13, 2007 5:18 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > There's a purely monetary reason for going that way, too. According to my > admittedly loose stats, you make about +$15 an hour by claiming C# vs. > VB.NET. I agree with you, William, C# is a piece of cake given even a > modicum of VB.NET. But there seems to be a monetary advantage as well. And > to be fair, there are a couple of things you can do in C# that you can't > in > VB.NET. > > As to the name change, I'm seriously in favour. Who programs in VB6 any > more? Somebody, somewhere, no doubt. But to preserve the name for him? > > A. > > On 10/12/07, William Hindman wrote: >> >> ...imnsho, the name change would be most helpful ...I'm focusing on C# >> rather than vb ...you might be amazed at how easy the move from vb to C# >> really is, especially with the growing number of code translators >> available >> ...and you know if I can do it, anyone can :) >> >> William >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Sat Oct 13 08:47:19 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sat, 13 Oct 2007 09:47:19 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000001c80d70$e8e921b0$6401a8c0@nant> References: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> <000001c80d70$e8e921b0$6401a8c0@nant> Message-ID: <29f585dd0710130647j2835d7cexa85ef5630add12dc@mail.gmail.com> Thanks for a great story, Shamil! That's definitely a keeper! And a funny story in the end: > > "I've got so angry today: when I've got back home I have found a diskette > sticked by a magnet to the fridge's door with a note: 'Darling, here is > the > diskette with important documents you've been desperately looking for all > the yesterday evening...' " > > I must note that's not a story about my wife - I do not use diskettes for > a > long time now :) > > BTW, we have a XXVI's Wedding Anniversary today... > > Have nice weekend. :) > > -- > Shamil > > P.S. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Saturday, October 13, 2007 5:18 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > There's a purely monetary reason for going that way, too. According to my > admittedly loose stats, you make about +$15 an hour by claiming C# vs. > VB.NET. I agree with you, William, C# is a piece of cake given even a > modicum of VB.NET. But there seems to be a monetary advantage as well. And > to be fair, there are a couple of things you can do in C# that you can't > in > VB.NET. > > As to the name change, I'm seriously in favour. Who programs in VB6 any > more? Somebody, somewhere, no doubt. But to preserve the name for him? > > A. > > On 10/12/07, William Hindman wrote: > > > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > > rather than vb ...you might be amazed at how easy the move from vb to C# > > really is, especially with the growing number of code translators > > available > > ...and you know if I can do it, anyone can :) > > > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Sat Oct 13 08:55:03 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sat, 13 Oct 2007 06:55:03 -0700 Subject: [AccessD] Goodbye XP? Message-ID: <001201c80da0$a8233ff0$0301a8c0@HAL9005> "If you want it here it is. Come and get it. But you'd better hurry 'cause it's going fast." The Beatles http://www.msnbc.msn.com/id/21028201/ Rocky From dwaters at usinternet.com Sat Oct 13 08:57:40 2007 From: dwaters at usinternet.com (Dan Waters) Date: Sat, 13 Oct 2007 08:57:40 -0500 Subject: [AccessD] Access 14 Message-ID: <000601c80da1$05b45820$0200a8c0@danwaters> Clint Covington is collecting requests for Access improvements and information about Access applications you currently sell: http://blogs.msdn.com/access/archive/2007/10/12/do-you-sell-and-access-appli cation.aspx Dan From wdhindman at dejpolsystems.com Sat Oct 13 12:31:54 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sat, 13 Oct 2007 13:31:54 -0400 Subject: [AccessD] Goodbye XP? References: <001201c80da0$a8233ff0$0301a8c0@HAL9005> Message-ID: <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> ...if they don't really "fix" Vista, they'll have no choice but to extend it again ...I'm still specing XP for all client systems ...I've installed Vista twice now on test systems and wound up removing it both times ...with 2MB of ram XP still runs circles around Vista imnshe ...past 4MB it levels out ...but for what advantage vs the costs? ...and Access has problems with Vista that don't show in XP ...MS has blown this intro big time. http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab=0&geo=all&date=all ...and while Vista sales have bogged down, the latest Mac OS is taking a substantially greater portion of the new systems market ...and with Mac OS portability to the X86 environment MS may have cut its own throat in releasing Vista before it was ready. ...AND the beta of XP SP3 apparently includes several core Vista features ...plus you must believe MS isn't putting an XP SP into beta now if it really means to cut XP off in a few months time, eh. William ----- Original Message ----- From: "Rocky Smolin at Beach Access Software" To: "'Access Developers discussion and problem solving'" Sent: Saturday, October 13, 2007 9:55 AM Subject: [AccessD] Goodbye XP? > "If you want it here it is. Come and get it. But you'd better hurry > 'cause > it's going fast." The Beatles > > http://www.msnbc.msn.com/id/21028201/ > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From john at winhaven.net Sun Oct 14 13:15:50 2007 From: john at winhaven.net (John Bartow) Date: Sun, 14 Oct 2007 13:15:50 -0500 Subject: [AccessD] Goodbye XP? In-Reply-To: <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> References: <001201c80da0$a8233ff0$0301a8c0@HAL9005> <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> Message-ID: <015901c80e8e$40145b80$6402a8c0@ScuzzPaq> Ditto on this William. (Albeit GB instead of MB ;o) The only worthy thing Vista has done IMO is lower the cost of hardware - great for XP users! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Saturday, October 13, 2007 12:32 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Goodbye XP? ...if they don't really "fix" Vista, they'll have no choice but to extend it again ...I'm still specing XP for all client systems ...I've installed Vista twice now on test systems and wound up removing it both times ...with 2MB of ram XP still runs circles around Vista imnshe ...past 4MB it levels out ...but for what advantage vs the costs? ...and Access has problems with Vista that don't show in XP ...MS has blown this intro big time. http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= 0&geo=all&date=all ...and while Vista sales have bogged down, the latest Mac OS is taking a substantially greater portion of the new systems market ...and with Mac OS portability to the X86 environment MS may have cut its own throat in releasing Vista before it was ready. ...AND the beta of XP SP3 apparently includes several core Vista features ...plus you must believe MS isn't putting an XP SP into beta now if it really means to cut XP off in a few months time, eh. From ssharkins at gmail.com Sun Oct 14 13:53:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Sun, 14 Oct 2007 14:53:59 -0400 Subject: [AccessD] problem sorting in group Message-ID: <000501c80e93$97a9fb20$4b3a8343@SusanOne> I've got a simple report grouped by a date field using the Week Group On setting. However, the dates within each group aren't sorting, even though I've set an Ascending sort both via the Sorting and Grouping feature and in the underlying query. Year values are the same, but only one group is sorting as expected -- 17 July, 18 July, 19 July, and so on. All the others are just skipping around -- 19 July, 18 July, 15 July, 16 July, 17 July. I don't understand why the dates are sorting correctly within the groups. Susan H. From wdhindman at dejpolsystems.com Sun Oct 14 18:09:57 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sun, 14 Oct 2007 19:09:57 -0400 Subject: [AccessD] Goodbye XP? References: <001201c80da0$a8233ff0$0301a8c0@HAL9005><000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> <015901c80e8e$40145b80$6402a8c0@ScuzzPaq> Message-ID: <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> "GB instead of MB" ...ssssshhhhh ...no one else will notice, eh :) William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Sunday, October 14, 2007 2:15 PM Subject: Re: [AccessD] Goodbye XP? > Ditto on this William. > (Albeit GB instead of MB ;o) > > The only worthy thing Vista has done IMO is lower the cost of hardware - > great for XP users! > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Saturday, October 13, 2007 12:32 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Goodbye XP? > > ...if they don't really "fix" Vista, they'll have no choice but to extend > it > again ...I'm still specing XP for all client systems ...I've installed > Vista > twice now on test systems and wound up removing it both times ...with 2MB > of > ram XP still runs circles around Vista imnshe ...past 4MB it levels out > ...but for what advantage vs the costs? ...and Access has problems with > Vista that don't show in XP ...MS has blown this intro big time. > > http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= > 0&geo=all&date=all > > ...and while Vista sales have bogged down, the latest Mac OS is taking a > substantially greater portion of the new systems market ...and with Mac OS > portability to the X86 environment MS may have cut its own throat in > releasing Vista before it was ready. > > ...AND the beta of XP SP3 apparently includes several core Vista features > ...plus you must believe MS isn't putting an XP SP into beta now if it > really means to cut XP off in a few months time, eh. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 14 19:04:15 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 14 Oct 2007 20:04:15 -0400 Subject: [AccessD] Goodbye XP? In-Reply-To: <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> References: <001201c80da0$a8233ff0$0301a8c0@HAL9005><000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local><015901c80e8e$40145b80$6402a8c0@ScuzzPaq> <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> Message-ID: <000d01c80ebe$ed793d60$0eac1cac@M90> Naw, just showing your age. 'twas a time in my youth when I would kill for 2 mb of Ram. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Sunday, October 14, 2007 7:10 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Goodbye XP? "GB instead of MB" ...ssssshhhhh ...no one else will notice, eh :) William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Sunday, October 14, 2007 2:15 PM Subject: Re: [AccessD] Goodbye XP? > Ditto on this William. > (Albeit GB instead of MB ;o) > > The only worthy thing Vista has done IMO is lower the cost of hardware - > great for XP users! > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Saturday, October 13, 2007 12:32 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Goodbye XP? > > ...if they don't really "fix" Vista, they'll have no choice but to extend > it > again ...I'm still specing XP for all client systems ...I've installed > Vista > twice now on test systems and wound up removing it both times ...with 2MB > of > ram XP still runs circles around Vista imnshe ...past 4MB it levels out > ...but for what advantage vs the costs? ...and Access has problems with > Vista that don't show in XP ...MS has blown this intro big time. > > http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= > 0&geo=all&date=all > > ...and while Vista sales have bogged down, the latest Mac OS is taking a > substantially greater portion of the new systems market ...and with Mac OS > portability to the X86 environment MS may have cut its own throat in > releasing Vista before it was ready. > > ...AND the beta of XP SP3 apparently includes several core Vista features > ...plus you must believe MS isn't putting an XP SP into beta now if it > really means to cut XP off in a few months time, eh. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Mon Oct 15 00:06:29 2007 From: darren at activebilling.com.au (Darren D) Date: Mon, 15 Oct 2007 15:06:29 +1000 Subject: [AccessD] ADProject: Getting Database Name In-Reply-To: Message-ID: <200710150506.l9F56MBm022081@databaseadvisors.com> Hi Gustav - Perfect - As I have said many times - legend I did modify it a bit - I am assuming there already is a connection So Now I have 2 functions - 1 to get the Current DB name and the other to get the server name - See below Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Function f_GetServerName() As String On Error GoTo Err_ Dim strConnect As String Dim strKey As String Dim strSearch As String Dim strServer As String strConnect = Application.CurrentProject.Connection strKey = "SOURCE=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) f_ GetServerName = strServer Exit_: Exit Function Err_: DoCmd.Hourglass False MsgBox Err.Number & " " & Err.Description, vbCritical, "Error in f_ GetServerName Routine" Resume Exit_ End Function ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Function f_dBName() As String On Error GoTo Err_ Dim rs As Object Dim con As Object Dim selSQL As String Set rs = CreateObject("ADODB.Recordset") Set con = Application.CurrentProject.Connection selSQL = "SELECT DB_NAME() AS CurrentDB" rs.Open selSQL, con, 1, 3 f_dBName = rs!CurrentDb rs.Close Set rs = Nothing Exit_: Exit Function Err_: DoCmd.Hourglass False MsgBox Err.Number & " " & Err.Description, vbCritical, "Error in f_dBName Routine" Resume Exit_ End Function ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, 12 October 2007 8:28 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] ADProject: Getting Database Name Hi Darren Would it be something like this: strConnect = "DATABASE=something;SERVER=192.168.1.100;PASSWORD=;PORT=3306;OPTION=3;STMT=;" strKey = "SERVER=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) /gustav >>> darren at activebilling.com.au 12-10-2007 08:06 >>> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From adtp at airtelbroadband.in Mon Oct 15 00:26:32 2007 From: adtp at airtelbroadband.in (A.D.TEJPAL) Date: Mon, 15 Oct 2007 10:56:32 +0530 Subject: [AccessD] problem sorting in group References: <000501c80e93$97a9fb20$4b3a8343@SusanOne> Message-ID: <00bc01c80eec$1310d4c0$5958a27a@personalec1122> Susan, As soon as any setting is made via Sorting and Grouping dialog box, existing sort order (if any) in the source query gets ignored. Your problem should stand resolved by adding the date field explicitly as the last item in first column of this dialog box (and selecting Ascending or Descending in second column as desired). Best wishes, A.D.Tejpal ------------ ----- Original Message ----- From: Susan Harkins To: AccessD at databaseadvisors.com Sent: Monday, October 15, 2007 00:23 Subject: [AccessD] problem sorting in group I've got a simple report grouped by a date field using the Week Group On setting. However, the dates within each group aren't sorting, even though I've set an Ascending sort both via the Sorting and Grouping feature and in the underlying query. Year values are the same, but only one group is sorting as expected -- 17 July, 18 July, 19 July, and so on. All the others are just skipping around -- 19 July, 18 July, 15 July, 16 July, 17 July. I don't understand why the dates are sorting correctly within the groups. Susan H. From ssharkins at gmail.com Mon Oct 15 07:00:52 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 15 Oct 2007 08:00:52 -0400 Subject: [AccessD] problem sorting in group References: <000501c80e93$97a9fb20$4b3a8343@SusanOne> <00bc01c80eec$1310d4c0$5958a27a@personalec1122> Message-ID: <003101c80f24$0daba090$4b3a8343@SusanOne> You know, this sounds really familiar -- I'm betting I've seen this before and just forgotten. Thanks. Susan H. > Susan, > > As soon as any setting is made via Sorting and Grouping dialog box, > existing sort order (if any) in the source query gets ignored. > > Your problem should stand resolved by adding the date field explicitly > as the last item in first column of this dialog box (and selecting > Ascending or Descending in second column as desired). > > Best wishes, > A.D.Tejpal > ------------ > > ----- Original Message ----- > From: Susan Harkins > To: AccessD at databaseadvisors.com > Sent: Monday, October 15, 2007 00:23 > Subject: [AccessD] problem sorting in group > > > I've got a simple report grouped by a date field using the Week Group On > setting. However, the dates within each group aren't sorting, even though > I've set an Ascending sort both via the Sorting and Grouping feature and > in > the underlying query. > > Year values are the same, but only one group is sorting as expected -- 17 > July, 18 July, 19 July, and so on. All the others are just skipping > around -- 19 July, 18 July, 15 July, 16 July, 17 July. > > I don't understand why the dates are sorting correctly within the groups. > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 15 07:50:53 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 15 Oct 2007 14:50:53 +0200 Subject: [AccessD] Dot Net, where to start? Message-ID: Hi Susan et al Now this topic is up again, those interested could review the thread(s) from April. By reading about and redoing the sample application in this chapter (link below), you'll get a feeling for what it is all about (thanks Arthur). It is obtuse but that's the price for moving quickly. /gustav >>> Gustav at cactus.dk 27-04-2007 17:39 >>> Hi Arthur All samples? It lists 470 on Visual Studio alone! Found the JumpStart code download and the book: http://examples.oreilly.com/vbjumpstart/ http://www.oreilly.com/catalog/vbjumpstart/ Thanks! /gustav >>> fuller.artful at gmail.com 27-04-2007 16:28 >>> Go to GotDotNet and download all the samples. Do it relatively quickly since MS has decided to phase out this site. Also go to Visual Studio Magazine and CodePlex. There is a very good intro book called VB.NET JumpStart (google vbJumpStart and you should get to the downloadable code). I found this book so good that I am currently thinking that .NET is even easier than Access. Arthur From john at winhaven.net Mon Oct 15 10:15:51 2007 From: john at winhaven.net (John Bartow) Date: Mon, 15 Oct 2007 10:15:51 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <001301c80b59$fa2ff160$0301a8c0@HAL9005> References: <200710091904.l99J42q3003686@databaseadvisors.com> <001301c80b59$fa2ff160$0301a8c0@HAL9005> Message-ID: <02be01c80f3e$46810a30$6402a8c0@ScuzzPaq> Here's a link to a romantic visual tour down "CrustyOldComputerGeek Lane" ;o) http://content.zdnet.com/2346-9595_22-169761-1.html Ya, sheeesh! I started programming on some of these too :o( From rockysmolin at bchacc.com Mon Oct 15 12:31:24 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 15 Oct 2007 10:31:24 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs in Vista? Message-ID: <007201c80f51$36c3ac20$0301a8c0@HAL9005> >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky From jengross at gte.net Mon Oct 15 14:21:08 2007 From: jengross at gte.net (Jennifer Gross) Date: Mon, 15 Oct 2007 12:21:08 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? In-Reply-To: <007201c80f51$36c3ac20$0301a8c0@HAL9005> Message-ID: <00a001c80f60$905bee00$6501a8c0@jefferson> That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 15 16:25:47 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 15 Oct 2007 14:25:47 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? In-Reply-To: <00a001c80f60$905bee00$6501a8c0@jefferson> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005> <00a001c80f60$905bee00$6501a8c0@jefferson> Message-ID: <00c301c80f71$f4387180$0301a8c0@HAL9005> >From the same colleague - a problem with Access 2007 - don't know if this one's been talked about here or not You cannot export a report to an Excel format in Access 2007 http://support.microsoft.com/kb/934833 Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Monday, October 15, 2007 12:21 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbs inVista? That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.10/1070 - Release Date: 10/14/2007 9:22 AM From cfoust at infostatsystems.com Mon Oct 15 16:51:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 15 Oct 2007 14:51:15 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbsinVista? In-Reply-To: <00c301c80f71$f4387180$0301a8c0@HAL9005> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson> <00c301c80f71$f4387180$0301a8c0@HAL9005> Message-ID: That one I knew about. It isn't just Vista, either. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 2:26 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbsinVista? >From the same colleague - a problem with Access 2007 - don't know if >this one's been talked about here or not You cannot export a report to an Excel format in Access 2007 http://support.microsoft.com/kb/934833 Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Monday, October 15, 2007 12:21 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbs inVista? That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.10/1070 - Release Date: 10/14/2007 9:22 AM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 15 20:49:31 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 15 Oct 2007 20:49:31 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins Message-ID: <001e01c80f96$cbfdad50$0200a8c0@danwaters> http://www.codinghorror.com/blog/archives/000976.html This makes things clear and useful - I'm putting it on my bulletin board! Dan From fuller.artful at gmail.com Mon Oct 15 21:56:49 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 15 Oct 2007 22:56:49 -0400 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <001e01c80f96$cbfdad50$0200a8c0@danwaters> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> Message-ID: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > From dwaters at usinternet.com Mon Oct 15 23:39:38 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 15 Oct 2007 23:39:38 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Message-ID: <000001c80fae$8fefc240$0200a8c0@danwaters> I should have guessed!! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 15, 2007 9:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 16 08:29:49 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 16 Oct 2007 08:29:49 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Message-ID: <001101c80ff8$a099f710$0200a8c0@danwaters> Hi Arthur, >From the page you referenced, what path would I take? Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 15, 2007 9:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Tue Oct 16 09:38:18 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Tue, 16 Oct 2007 10:38:18 -0400 Subject: [AccessD] Can you believe there's a problem running AccessdbsinVista? In-Reply-To: References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem > running Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > From cfoust at infostatsystems.com Tue Oct 16 09:45:53 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 07:45:53 -0700 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: Personnally, I was never satisfied with the export to Excel except for the simplest of reports or for queries. I don't think anyone ever sat the two teams down and said they had to talk to each other! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 7:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Tue Oct 16 10:28:40 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Tue, 16 Oct 2007 11:28:40 -0400 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: <00ff01c81009$3c4d2d20$8abea8c0@XPS> Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem > running Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 16 10:48:56 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 08:48:56 -0700 Subject: [AccessD] OT - I'll be away Message-ID: Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust From dw-murphy at cox.net Tue Oct 16 10:53:08 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Tue, 16 Oct 2007 08:53:08 -0700 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <00ff01c81009$3c4d2d20$8abea8c0@XPS> Message-ID: <002c01c8100c$a5effe80$0200a8c0@murphy3234aaf1> This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Tue Oct 16 11:12:57 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 16 Oct 2007 09:12:57 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM From Patricia.O'Connor at otda.state.ny.us Tue Oct 16 11:22:48 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Tue, 16 Oct 2007 12:22:48 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05F@EXCNYSM0A1AI.nysemail.nyenet> Good luck and best wishes on your surgery ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Charlotte Foust > Sent: Tuesday, October 16, 2007 11:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting > tomorrow for some minor surgery. I may be able to VPN in > from home and check my email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From cfoust at infostatsystems.com Tue Oct 16 11:24:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 09:24:55 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Having a skin cancer removed from a lower eyelid. I should be a technicolor wonder for a week or so! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 16, 2007 9:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Tue Oct 16 11:48:13 2007 From: garykjos at gmail.com (Gary Kjos) Date: Tue, 16 Oct 2007 11:48:13 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin > at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for some > minor surgery. I may be able to VPN in from home and check my email, > but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From john at winhaven.net Tue Oct 16 11:54:53 2007 From: john at winhaven.net (John Bartow) Date: Tue, 16 Oct 2007 11:54:53 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <00e901c81015$464a2100$6402a8c0@ScuzzPaq> Good Luck on the surgery and best wishes for a rapid recovery! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 10:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 16 12:34:46 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 10:34:46 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Right, and now I have an excuse! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Tuesday, October 16, 2007 9:48 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for > some minor surgery. I may be able to VPN in from home and check my > email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From robert at webedb.com Tue Oct 16 12:54:35 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 16 Oct 2007 12:54:35 -0500 Subject: [AccessD] Artful Lib In-Reply-To: References: Message-ID: <200710161759.l9GHxhBj031742@databaseadvisors.com> Arthur, My new wife is going through all my boxes and we are trying to reduce the amount of stuff I have. I ran across the original disks for Artful Lib. I kept them in case you wanted a set for nostalgia. Robert At 12:00 PM 10/16/2007, you wrote: >Date: Mon, 15 Oct 2007 22:56:49 -0400 >From: "Arthur Fuller" >Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins >To: "Access Developers discussion and problem solving" > >Message-ID: > <29f585dd0710151956s44846a23n7a9f727dbbd253e9 at mail.gmail.com> >Content-Type: text/plain; charset=ISO-8859-1 > >Dan, you should visit www.artfulsoftware.com. We did this years ago, and >also explained the more complicated joins such as loose joins and others -- >and in more than one flavour of SQL. > >Arthur From Lambert.Heenan at AIG.com Tue Oct 16 13:05:28 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 16 Oct 2007 14:05:28 -0400 Subject: [AccessD] Can you believe there's a problem runningAccessdbsi nVista? Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Tuesday, October 16, 2007 11:53 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Tue Oct 16 13:17:29 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 14:17:29 -0400 Subject: [AccessD] Artful Lib In-Reply-To: <200710161759.l9GHxhBj031742@databaseadvisors.com> References: <200710161759.l9GHxhBj031742@databaseadvisors.com> Message-ID: <29f585dd0710161117x4d940889gd6c3723f504c349c@mail.gmail.com> Wow. I don't own a set! Several wives and moves later, a lot of stuff has gone under the bridge. A. On 10/16/07, Robert L. Stewart wrote: > > Arthur, > > My new wife is going through all my boxes and we are > trying to reduce the amount of stuff I have. I ran > across the original disks for Artful Lib. I kept > them in case you wanted a set for nostalgia. > > Robert > From jwcolby at colbyconsulting.com Tue Oct 16 13:29:43 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 14:29:43 -0400 Subject: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> Message-ID: <002b01c81022$85fafc90$0eac1cac@M90> I just saw queries exported to Excel a few minutes ago. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 16, 2007 2:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Tuesday, October 16, 2007 11:53 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 16 13:30:31 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 14:30:31 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: <002c01c81022$a2d2b6f0$0eac1cac@M90> I think she's under the witness protection program. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Tuesday, October 16, 2007 12:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for > some minor surgery. I may be able to VPN in from home and check my > email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 16 13:37:12 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 16 Oct 2007 14:37:12 -0400 Subject: [AccessD] OT - I'll be away References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <009401c81023$94662100$4b3a8343@SusanOne> She turned you in???????????? :) susan H. >I think she's under the witness protection program. > From fuller.artful at gmail.com Tue Oct 16 13:43:45 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 14:43:45 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <002c01c81022$a2d2b6f0$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <29f585dd0710161143y756ef75frfbde071bd25e9269@mail.gmail.com> Yeah she talked about some low-life coder she hired and now the Los Angeles combine is all over her. If you can't fix a bug, then what can you fix? Otherwise we're back in the jungle. I'm telling you as a courtesy, this thing is gonna get done. (c.f. Miller's Crossing, my fave movie of all time). A. On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > From Lambert.Heenan at AIG.com Tue Oct 16 14:19:25 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 16 Oct 2007 15:19:25 -0400 Subject: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7143@XLIVMBX35bkup.aig.com> Thanks John. I export to Excel all the time, but only queries. I never thought the 'feature' to export reports was worth the effort. They usually looked awful. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 16, 2007 2:30 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? I just saw queries exported to Excel a few minutes ago. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 16, 2007 2:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert From davidmcafee at gmail.com Tue Oct 16 16:08:45 2007 From: davidmcafee at gmail.com (David McAfee) Date: Tue, 16 Oct 2007 14:08:45 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <002c01c81022$a2d2b6f0$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any post > surgery pictures anywhere since as I recall you don't allow any pictures > of > you to be posted at all ever right ;-) > > GK > > From cfoust at infostatsystems.com Tue Oct 16 16:12:41 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 14:12:41 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: Rats! You outted me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 16 16:21:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 17:21:27 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <003301c8103a$84125280$0eac1cac@M90> LOL, I jut had plastic surgery to look like her. I had to hire a PI to find her and take pictures. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 5:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Tue Oct 16 16:22:58 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 16 Oct 2007 16:22:58 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: Message-ID: Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. Good luck Charlotte! Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 4:13 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Rats! You outted me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From fuller.artful at gmail.com Tue Oct 16 16:24:09 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 17:24:09 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <29f585dd0710161424v39aef7d6wd4b2b4ac6e737605@mail.gmail.com> I've seen JC and this thread is getting a tad too sick for me. LOL. On 10/16/07, Charlotte Foust wrote: > > Rats! You outted me! LOL > > Charlotte Foust > From fuller.artful at gmail.com Tue Oct 16 16:25:41 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 17:25:41 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <003301c8103a$84125280$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> <003301c8103a$84125280$0eac1cac@M90> Message-ID: <29f585dd0710161425l44fe6c05naadd8c9a218328f@mail.gmail.com> What I meant. On the other hand, you'd make a cute couple. On 10/16/07, jwcolby wrote: > > LOL, I jut had plastic surgery to look like her. I had to hire a PI to > find > her and take pictures. > From john at winhaven.net Tue Oct 16 16:32:17 2007 From: john at winhaven.net (John Bartow) Date: Tue, 16 Oct 2007 16:32:17 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Yes, he would. And BTW I'll bet no one here knew that they were Assembly coders, but according to Drew you are. Want to know why? Join dba-OT ;o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 16, 2007 4:23 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. From kp at sdsonline.net Tue Oct 16 17:58:02 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Wed, 17 Oct 2007 08:58:02 +1000 Subject: [AccessD] OT - I'll be away References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: <005701c81048$022de0f0$6701a8c0@DELLAPTOP> Sounds painful - hope it goes well. Take care Kath ----- Original Message ----- From: "Charlotte Foust" To: "Access Developers discussion and problem solving" Sent: Wednesday, October 17, 2007 2:24 AM Subject: Re: [AccessD] OT - I'll be away > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin > at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for some > minor surgery. I may be able to VPN in from home and check my email, > but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From darren at activebilling.com.au Tue Oct 16 20:03:02 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 17 Oct 2007 11:03:02 +1000 Subject: [AccessD] OT - I'll be away In-Reply-To: Message-ID: <200710170103.l9H12xRk015797@databaseadvisors.com> Good Luck Charlotte - I do hope it goes well -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, 17 October 2007 2:25 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Having a skin cancer removed from a lower eyelid. I should be a technicolor wonder for a week or so! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 16, 2007 9:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From nd500_lo at charter.net Tue Oct 16 20:53:50 2007 From: nd500_lo at charter.net (Dian) Date: Tue, 16 Oct 2007 18:53:50 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <000601c81060$909926c0$6400a8c0@dsunit1> Wait...he's a code word, not an idol... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jeff at outbaktech.com Wed Oct 17 09:46:55 2007 From: Jeff at outbaktech.com (Jeff Barrows) Date: Wed, 17 Oct 2007 09:46:55 -0500 Subject: [AccessD] OT: ERP Systems Message-ID: Does anyone here work on a Lawson ERP System? If so, could you please contact me off list at jeff.barrows @ racine.k12.wi.us Jeff Barrows MCP, MCAD, MCSD Outbak Technologies, LLC Racine, WI jeff at outbaktech.com From DWUTKA at Marlow.com Wed Oct 17 11:22:07 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 17 Oct 2007 11:22:07 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Message-ID: Trying to recruit for OT? I never said that by the way.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Tuesday, October 16, 2007 4:32 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Yes, he would. And BTW I'll bet no one here knew that they were Assembly coders, but according to Drew you are. Want to know why? Join dba-OT ;o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 16, 2007 4:23 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Patricia.O'Connor at otda.state.ny.us Wed Oct 17 11:22:20 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Wed, 17 Oct 2007 12:22:20 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: <0JHS00JDGDGESWGE@vms048.mailsrvcs.net> References: <005201c79262$d279b3b0$657aa8c0@m6805> <0JHS00JDGDGESWGE@vms048.mailsrvcs.net> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB062@EXCNYSM0A1AI.nysemail.nyenet> I am upgrading an old A97 system to 2k3 but have to go through 2k first. It is a front end connected to 2 back ends. I currently have them in 2k. When I open the mdb it takes a little time nothing substantial. Then when I look at the FORMS or REPORTS it has changed all the create and modify dates to the current date. This doesn't help me know which ones I have finished correcting or changing or when. Why is it doing this and how can I stop it. I never saw this happen in A97 for the last 10+ years. Thanks ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. From john at winhaven.net Wed Oct 17 11:39:54 2007 From: john at winhaven.net (John Bartow) Date: Wed, 17 Oct 2007 11:39:54 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Message-ID: <007601c810dc$58a95100$6402a8c0@ScuzzPaq> Yes, and you did imply such - via other analogies. :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Trying to recruit for OT? I never said that by the way.... ;) From Gustav at cactus.dk Wed Oct 17 11:48:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 17 Oct 2007 18:48:07 +0200 Subject: [AccessD] A2k - changes item create dates when opening Message-ID: Hi Patricia Could it be that you haven't turned AutoCorrect or -Trace (don't recall the exact word) off? /gustav >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> I am upgrading an old A97 system to 2k3 but have to go through 2k first. It is a front end connected to 2 back ends. I currently have them in 2k. When I open the mdb it takes a little time nothing substantial. Then when I look at the FORMS or REPORTS it has changed all the create and modify dates to the current date. This doesn't help me know which ones I have finished correcting or changing or when. Why is it doing this and how can I stop it. I never saw this happen in A97 for the last 10+ years. Thanks ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us From Patricia.O'Connor at otda.state.ny.us Wed Oct 17 11:58:24 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Wed, 17 Oct 2007 12:58:24 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Thought that might have something to do with it. Thank you Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Gustav Brock > Sent: Wednesday, October 17, 2007 12:48 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] A2k - changes item create dates when opening > > Hi Patricia > > Could it be that you haven't turned AutoCorrect or -Trace > (don't recall the exact word) off? > > /gustav > > >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> > I am upgrading an old A97 system to 2k3 but have to go > through 2k first. > It is a front end connected to 2 back ends. I currently have them in > 2k. > > When I open the mdb it takes a little time nothing substantial. > Then when I look at the FORMS or REPORTS it has changed all the create > and modify dates to the current date. This doesn't help me > know which > ones I have finished correcting or changing or when. Why is > it doing this and how can I stop it. > > I never saw this happen in A97 for the last 10+ years. > Thanks > > ************************************************** > * Patricia O'Connor > * Associate Computer Programmer Analyst > * OTDA - BDMA > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > * (w) mailto:aa1160 at nysemail.state.ny.us > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From reuben at gfconsultants.com Wed Oct 17 12:25:31 2007 From: reuben at gfconsultants.com (Reuben Cummings) Date: Wed, 17 Oct 2007 13:25:31 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: I think it's something you're going to have to deal with. A2K has done this for ever. In fact, just to check, I looked at the objects in an app I am currently working on. I have been building this app since about 2000. It was started in A2K and is still in A2K. When I get ready for some "major" revisions I always make a copy and start from there. The forms, reports, modules, and table links objects in this app are now dated 10-11-2007 unless I have worked on them since the 11th. In that case they show the proper dates. Queries and local tables keep the actual create and modify date. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of O'Connor, > Patricia (OTDA) > Sent: Wednesday, October 17, 2007 12:58 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] A2k - changes item create dates when opening > > > Thought that might have something to do with it. > Thank you > Patti > > ************************************************** > * Patricia O'Connor > * Associate Computer Programmer Analyst > * OTDA - BDMA > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > * (w) mailto:aa1160 at nysemail.state.ny.us > ************************************************** > > > > > -------------------------------------------------------- > This e-mail, including any attachments, may be confidential, > privileged or otherwise legally protected. It is intended only > for the addressee. If you received this e-mail in error or from > someone who was not authorized to send it to you, do not > disseminate, copy or otherwise use this e-mail or its > attachments. Please notify the sender immediately by reply > e-mail and delete the e-mail from your system. > > > -----Original Message----- > > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > > Gustav Brock > > Sent: Wednesday, October 17, 2007 12:48 PM > > To: accessd at databaseadvisors.com > > Subject: Re: [AccessD] A2k - changes item create dates when opening > > > > Hi Patricia > > > > Could it be that you haven't turned AutoCorrect or -Trace > > (don't recall the exact word) off? > > > > /gustav > > > > >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> > > I am upgrading an old A97 system to 2k3 but have to go > > through 2k first. > > It is a front end connected to 2 back ends. I currently have them in > > 2k. > > > > When I open the mdb it takes a little time nothing substantial. > > Then when I look at the FORMS or REPORTS it has changed all the create > > and modify dates to the current date. This doesn't help me > > know which > > ones I have finished correcting or changing or when. Why is > > it doing this and how can I stop it. > > > > I never saw this happen in A97 for the last 10+ years. > > Thanks > > > > ************************************************** > > * Patricia O'Connor > > * Associate Computer Programmer Analyst > > * OTDA - BDMA > > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > > * (w) mailto:aa1160 at nysemail.state.ny.us > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From DWUTKA at Marlow.com Wed Oct 17 14:33:55 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 17 Oct 2007 14:33:55 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: <007601c810dc$58a95100$6402a8c0@ScuzzPaq> Message-ID: You misunderstood then...go back an re-read the thread, to be sure you get everything in context! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 17, 2007 11:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Yes, and you did imply such - via other analogies. :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Trying to recruit for OT? I never said that by the way.... ;) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From darren at activebilling.com.au Wed Oct 17 22:02:17 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 18 Oct 2007 13:02:17 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime Message-ID: <200710180302.l9I32CB3003936@databaseadvisors.com> Hi All I am trying to drop an ADP file (That connects to SQL dB's) onto a machine that does not have full blown Access (Any flavour) Just the run time version of Access 2003 (I think it's 2003 - Anyway.) When I load my ADP the startup functions fail - that's OK - I can get around them but the ADP tells me the last SQL dB it connected to cannot be found I thought this is no big deal I will simply use my built in routine to specify another SQL dB When I click on the button I created that does this - I get an error that the App has cause an error and needs to be closed That's not good - So I try to open it holding down the shift key so I can get at the 'Connection' item in the 'File' Drop down menu This doesn't work either as it seems the dB startup doesn't recognise (or ignores) the old shift/open trick So - Does anyone know what my options are to get this thing to connect to another dB either by menu item of by the click of my button? Many thanks in advance DD From anitatiedemann at gmail.com Wed Oct 17 22:49:44 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Thu, 18 Oct 2007 13:49:44 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: <200710180302.l9I32CB3003936@databaseadvisors.com> References: <200710180302.l9I32CB3003936@databaseadvisors.com> Message-ID: Darren, I normally run a function before I ship my database to make sure that the adp has no connection string. I run this from the debug window: MakeADPConnectionless IsConnectionSet = False You should then be able to set the connection on open of the adp. This is the function I use to remove the current connection: Public Function MakeADPConnectionless() As Boolean ' Close the connection. Application.CurrentProject.CloseConnection ' Set the connection to nothing. Application.CurrentProject.OpenConnection ' Set the flag... MakeADPConnectionless = True End Function The Shift Key won't work in runtime mode. Anita From darren at activebilling.com.au Thu Oct 18 00:29:45 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 18 Oct 2007 15:29:45 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: Message-ID: <200710180529.l9I5TcnM013866@databaseadvisors.com> Hi Anita et al Thanks for the response Excellent - it got me one step closer Now I am unable to get the SQL Server properties dialogue box to come up You know the one - http://www.blueclaw-db.com/website_database_connections/udl.gif Even when I Include a tool bar with the "File | Connection" item from the FILE tool bar I can see the tool bar I added - but when I click It nothing happens - no dialogue at all I have even set up a Macro (RunCommand | ConnectDatabase) still won't work I even set it up to work via code - Still no joy Any reason why that dialogue will appear in full blown access but not in the runtime? It all hangs on this little bit - If I can get that Dialogue to appear - I think it will be deliverable Darren ----------------- T: 1300 301 731 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Thursday, 18 October 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime Darren, I normally run a function before I ship my database to make sure that the adp has no connection string. I run this from the debug window: MakeADPConnectionless IsConnectionSet = False You should then be able to set the connection on open of the adp. This is the function I use to remove the current connection: Public Function MakeADPConnectionless() As Boolean ' Close the connection. Application.CurrentProject.CloseConnection ' Set the connection to nothing. Application.CurrentProject.OpenConnection ' Set the flag... MakeADPConnectionless = True End Function The Shift Key won't work in runtime mode. Anita -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From anitatiedemann at gmail.com Thu Oct 18 01:30:23 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Thu, 18 Oct 2007 16:30:23 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: <200710180529.l9I5TcnM013866@databaseadvisors.com> References: <200710180529.l9I5TcnM013866@databaseadvisors.com> Message-ID: Darren, Call this function when your adp opens (it will set the connection for you without using the dialog) - it will only attempt to set the connection if is is not already set, which is why I clear the connection before I give the users a new adp: Public Function RunConnection() As Boolean Dim sUID As String Dim sPWD As String Dim sServerName As String Dim sDatabaseName As String If IsConnectionSet = True Then RunConnection = True Exit Function End If sUID = "UserID" sPWD = "Password" sServerName = "ServerName" sDatabaseName = "DBName" ' ' Clear the current connection ' MakeADPConnectionless ' Make a new connection and connect this adp to new database. ' sConnectionString = "PROVIDER=SQLOLEDB.1;PASSWORD=" & sPWD & _ ";PERSIST SECURITY INFO=TRUE;USER ID=" & sUID & _ ";INITIAL CATALOG=" & sDatabaseName & _ ";DATA SOURCE=" & sServerName Application.CurrentProject.OpenConnection sConnectionString RunConnection = True IsConnectionSet = True End Function On 10/18/07, Darren D wrote: > > Hi Anita et al > > Thanks for the response > > Excellent - it got me one step closer > > Now I am unable to get the SQL Server properties dialogue box to come up > > You know the one - > http://www.blueclaw-db.com/website_database_connections/udl.gif > > Even when I Include a tool bar with the "File | Connection" item from the > FILE > tool bar > > I can see the tool bar I added - but when I click It nothing happens - no > dialogue at all > > I have even set up a Macro (RunCommand | ConnectDatabase) still won't work > > I even set it up to work via code - Still no joy > > Any reason why that dialogue will appear in full blown access but not in > the > runtime? > > It all hangs on this little bit - If I can get that Dialogue to appear - I > think > it will be deliverable > > Darren > ----------------- > T: 1300 301 731 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Thursday, 18 October 2007 1:50 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime > > Darren, > I normally run a function before I ship my database to make sure that the > adp has no connection string. I run this from the debug window: > MakeADPConnectionless > IsConnectionSet = False > > You should then be able to set the connection on open of the adp. > > This is the function I use to remove the current connection: > > Public Function MakeADPConnectionless() As Boolean > ' Close the connection. > Application.CurrentProject.CloseConnection > > ' Set the connection to nothing. > Application.CurrentProject.OpenConnection > > ' Set the flag... > MakeADPConnectionless = True > End Function > > The Shift Key won't work in runtime mode. > > Anita > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Thu Oct 18 07:55:37 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 18 Oct 2007 13:55:37 +0100 Subject: [AccessD] Attention UK developers Message-ID: <20071018125542.613AC4E7A0@smtp.nildram.co.uk> For the past few years I've been developing a large ERP-style Access app for a company in Peterborough. This company has recently been taken over and whilst the new owners like and value the app they do not like feeling so exposed on the support front, i.e. what happens if I go under a bus or, more prosaically, when I go on holiday. Reasonable enough really. I've therefore been tasked with finding a software house who will spend a few days with me to understand as much as practically possible about the system and then will act as second-line support when I'm unavailable. Does anyone out there in the UK a) have any interest in taking this on, and b) have any experience of similar operations for other systems? Reasonable proximity to Peterborough would be a big advantage, but if not then preparedness to travel here as and when necessary would I'm sure be acceptable. Any interested parties please email me off-list at andy at minstersystems.co.uk . Cheers -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 From darren at activebilling.com.au Fri Oct 19 00:31:04 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 19 Oct 2007 15:31:04 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: Message-ID: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Hi Anita Perfect - well done and many thanks - ready for deployment Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Thursday, 18 October 2007 4:30 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime Darren, Call this function when your adp opens (it will set the connection for you without using the dialog) - it will only attempt to set the connection if is is not already set, which is why I clear the connection before I give the users a new adp: Public Function RunConnection() As Boolean Dim sUID As String Dim sPWD As String Dim sServerName As String Dim sDatabaseName As String If IsConnectionSet = True Then RunConnection = True Exit Function End If sUID = "UserID" sPWD = "Password" sServerName = "ServerName" sDatabaseName = "DBName" ' ' Clear the current connection ' MakeADPConnectionless ' Make a new connection and connect this adp to new database. ' sConnectionString = "PROVIDER=SQLOLEDB.1;PASSWORD=" & sPWD & _ ";PERSIST SECURITY INFO=TRUE;USER ID=" & sUID & _ ";INITIAL CATALOG=" & sDatabaseName & _ ";DATA SOURCE=" & sServerName Application.CurrentProject.OpenConnection sConnectionString RunConnection = True IsConnectionSet = True End Function On 10/18/07, Darren D wrote: > > Hi Anita et al > > Thanks for the response > > Excellent - it got me one step closer > > Now I am unable to get the SQL Server properties dialogue box to come up > > You know the one - > http://www.blueclaw-db.com/website_database_connections/udl.gif > > Even when I Include a tool bar with the "File | Connection" item from the > FILE > tool bar > > I can see the tool bar I added - but when I click It nothing happens - no > dialogue at all > > I have even set up a Macro (RunCommand | ConnectDatabase) still won't work > > I even set it up to work via code - Still no joy > > Any reason why that dialogue will appear in full blown access but not in > the > runtime? > > It all hangs on this little bit - If I can get that Dialogue to appear - I > think > it will be deliverable > > Darren > ----------------- > T: 1300 301 731 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Thursday, 18 October 2007 1:50 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime > > Darren, > I normally run a function before I ship my database to make sure that the > adp has no connection string. I run this from the debug window: > MakeADPConnectionless > IsConnectionSet = False > > You should then be able to set the connection on open of the adp. > > This is the function I use to remove the current connection: > > Public Function MakeADPConnectionless() As Boolean > ' Close the connection. > Application.CurrentProject.CloseConnection > > ' Set the connection to nothing. > Application.CurrentProject.OpenConnection > > ' Set the flag... > MakeADPConnectionless = True > End Function > > The Shift Key won't work in runtime mode. > > Anita > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From joeo at appoli.com Fri Oct 19 07:09:32 2007 From: joeo at appoli.com (Joe O'Connell) Date: Fri, 19 Oct 2007 08:09:32 -0400 Subject: [AccessD] Storing English and Spanish text References: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Message-ID: A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell From rockysmolin at bchacc.com Fri Oct 19 08:08:35 2007 From: rockysmolin at bchacc.com (rockysmolin at bchacc.com) Date: Fri, 19 Oct 2007 09:08:35 -0400 Subject: [AccessD] Storing English and Spanish text Message-ID: <380-220071051913835333@M2W021.mail2web.com> Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com ? Enhanced email for the mobile individual based on Microsoft? Exchange - http://link.mail2web.com/Personal/EnhancedEmail From joeo at appoli.com Fri Oct 19 08:16:25 2007 From: joeo at appoli.com (Joe O'Connell) Date: Fri, 19 Oct 2007 09:16:25 -0400 Subject: [AccessD] Storing English and Spanish text References: <380-220071051913835333@M2W021.mail2web.com> Message-ID: Thanks Rocky. Do you know how to change the keyboard to Spanish? Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of rockysmolin at bchacc.com Sent: Friday, October 19, 2007 9:09 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com - Enhanced email for the mobile individual based on Microsoft(r) Exchange - http://link.mail2web.com/Personal/EnhancedEmail -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 19 08:05:40 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 19 Oct 2007 09:05:40 -0400 Subject: [AccessD] Storing English and Spanish text References: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Message-ID: <008801c81251$ec361f40$4b3a8343@SusanOne> Rocky has an app with multiple languages and we even wrote about it. If I can find the article still on my hard drive, I'll send it to you privately. Susan H. >A new application has two memo fields in a table. One will store only > English text, and the other will store only Spanish text. There is no > need to mix languages in either memo field. I have never worked with > two languages before. Has anyone else done this? Any hints, tips or > snags to be avoided? > From rockysmolin at bchacc.com Fri Oct 19 08:39:24 2007 From: rockysmolin at bchacc.com (rockysmolin at bchacc.com) Date: Fri, 19 Oct 2007 09:39:24 -0400 Subject: [AccessD] Storing English and Spanish text Message-ID: <380-220071051913392470@M2W017.mail2web.com> Never done that Joe. It's controlled by WIndows so I'm guessing that it's probably an API call. Someone here will know, though. ROcky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 09:16:25 -0400 To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Thanks Rocky. Do you know how to change the keyboard to Spanish? Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of rockysmolin at bchacc.com Sent: Friday, October 19, 2007 9:09 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com - Enhanced email for the mobile individual based on Microsoft(r) Exchange - http://link.mail2web.com/Personal/EnhancedEmail -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web LIVE ? Free email based on Microsoft? Exchange technology - http://link.mail2web.com/LIVE From Jim.Hale at FleetPride.com Fri Oct 19 09:11:35 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 19 Oct 2007 09:11:35 -0500 Subject: [AccessD] OT: Friday Humor - When Insults Had Class Message-ID: When insults had class "He has all the virtues I dislike and none of the vices I admire." -- Winston Churchill "A modest little person, with much to be modest about." -- Winston Churchill "I have never killed a man, but I have read many obituaries with great pleasure." -- Clarence Darrow "He has never been known to use a word that might send a reader to the dictionary." -- William Faulkner (about Ernest Hemingway) "Poor Faulkner. Does he really think big emotions come from big words?" -- Ernest Hemingway (about William Faulkner) "Thank you for sending me a copy of your book; I'll waste no time reading it." -- Moses Hadas "He can compress the most words into the smallest idea of any man I know." -- Abraham Lincoln "I've had a perfectly wonderful evening. But this wasn't it." -- Groucho Marx "I didn't attend the funeral, but I sent a nice letter saying I approved of it." -- Mark Twain "He has no enemies, but is intensely disliked by his friends." -- Oscar Wilde "I am enclosing two tickets to the first night of my new play, bring a friend... if you have one." -- George Bernard Shaw to Winston Churchill "Cannot possibly attend first night, will attend second... if there is one." -- Winston Churchill, in response "I feel so miserable without you, it's almost like having you here." -- Stephen Bishop "He is a self-made man and worships his creator." -- John Bright "I've just learned about his illness. Let's hope it's nothing trivial." -- Irvin S. Cobb "He is not only dull himself, he is the cause of dullness in others." -- Samuel Johnson "He is simply a shiver looking for a spine to run up." -- Paul Keating "He had delusions of adequacy." -- Walter Kerr "There's nothing wrong with you that reincarnation won't cure." -- Jack E. Leonard "He has the attention span of a lightning bolt." -- Robert Redford "They never open their mouths without subtracting from the sum of human knowledge." -- Thomas Brackett Reed "He inherited some good instincts from his Quaker forebears, but by diligent hard work, he overcame them." -- James Reston (about Richard Nixon) "In order to avoid being called a flirt, she always yielded easily." -- Charles, Count Talleyrand "He loves nature in spite of what it did to him." -- Forrest Tucker "Why do you sit there looking like an envelope without any address on it?" -- Mark Twain "His mother should have thrown him away and kept the stork." -- Mae West "Some cause happiness wherever they go; others, whenever they go." -- Oscar Wilde "He uses statistics as a drunken man uses lamp-posts... for support rather than illumination." -- Andrew Lang (1844-1912) "He has Van Gogh's ear for music." -- Billy Wilder *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Patricia.O'Connor at otda.state.ny.us Fri Oct 19 09:27:02 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 19 Oct 2007 10:27:02 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: References: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB069@EXCNYSM0A1AI.nysemail.nyenet> Thank you all I did uncheck AutoCorrect and trace. When I opened it today it kept the last date. It also seemed to open quicker without going into a trance Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Reuben Cummings > Sent: Wednesday, October 17, 2007 01:26 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] A2k - changes item create dates when opening > > I think it's something you're going to have to deal with. > > A2K has done this for ever. In fact, just to check, I looked > at the objects in an app I am currently working on. I have > been building this app since about 2000. It was started in > A2K and is still in A2K. When I get ready for some "major" > revisions I always make a copy and start from there. > > The forms, reports, modules, and table links objects in this > app are now dated 10-11-2007 unless I have worked on them > since the 11th. In that case they show the proper dates. > > Queries and local tables keep the actual create and modify date. > > Reuben Cummings > GFC, LLC > 812.523.1017 > > From fuller.artful at gmail.com Fri Oct 19 11:11:24 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:11:24 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: References: Message-ID: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur From jwcolby at colbyconsulting.com Fri Oct 19 11:24:21 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 19 Oct 2007 12:24:21 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: <001701c8126c$82217da0$647aa8c0@M90> Is that one of yours? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 12:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:32:52 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:32:52 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <001701c8126c$82217da0$647aa8c0@M90> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> <001701c8126c$82217da0$647aa8c0@M90> Message-ID: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> Yes. On 10/19/07, jwcolby wrote: > > Is that one of yours? > > ;-) > From max.wanadoo at gmail.com Fri Oct 19 11:42:23 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 17:42:23 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> Message-ID: <009001c8126f$082484e0$8119fea9@LTVM> What is TCP divided by PI? Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Yes. On 10/19/07, jwcolby wrote: > > Is that one of yours? > > ;-) > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:47:44 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:47:44 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <009001c8126f$082484e0$8119fea9@LTVM> References: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> <009001c8126f$082484e0$8119fea9@LTVM> Message-ID: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> Seven. On 10/19/07, max.wanadoo at gmail.com wrote: > > What is TCP divided by PI? > Max > From max.wanadoo at gmail.com Fri Oct 19 11:53:25 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 17:53:25 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> Message-ID: <009401c81270$9d9f2970$8119fea9@LTVM> How di you arrive at that answer? Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Seven. On 10/19/07, max.wanadoo at gmail.com wrote: > > What is TCP divided by PI? > Max > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:59:16 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:59:16 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <009401c81270$9d9f2970$8119fea9@LTVM> References: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> <009401c81270$9d9f2970$8119fea9@LTVM> Message-ID: <29f585dd0710190959t21a5c89dk7e0bbc9149c186d1@mail.gmail.com> I could tell you but then I'd have to kill you. On 10/19/07, max.wanadoo at gmail.com wrote: > > How di you arrive at that answer? > Max > From max.wanadoo at gmail.com Fri Oct 19 12:13:08 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 18:13:08 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190959t21a5c89dk7e0bbc9149c186d1@mail.gmail.com> Message-ID: <009c01c81273$566b22e0$8119fea9@LTVM> No, serious. Intel are running a competition and I need the answer to open the safe. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:59 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class I could tell you but then I'd have to kill you. On 10/19/07, max.wanadoo at gmail.com wrote: > > How di you arrive at that answer? > Max > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 19 13:19:19 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 19 Oct 2007 13:19:19 -0500 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: I forgot one of my favorites: "God in His infinite wisdom brought these two people together so that two people instead of four would be miserable." -anon Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Fri Oct 19 13:33:11 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 19 Oct 2007 14:33:11 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: <001b01c8127e$818119c0$647aa8c0@M90> And then in his infinite wisdom, he had them read Arthur's book to concentrate the misery even further. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Friday, October 19, 2007 2:19 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class I forgot one of my favorites: "God in His infinite wisdom brought these two people together so that two people instead of four would be miserable." -anon Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From kp at sdsonline.net Sat Oct 20 00:22:31 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Sat, 20 Oct 2007 15:22:31 +1000 Subject: [AccessD] Access 2007 menus Message-ID: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Struggling a bit to get an app ready for distribution in 2007. >From what I have read from posts to our list and on msdn and web, I cannot 'remove' the Office Fluent Ribbon, and I can not have menus. When I import menus from otehr databases, they appear under the 'Add Ins' area which is a bit unfriendly for a client. What I want is for certain forms and reports to use specific menus. I am wondering how everyone else is handling this........ I tried customising the QAT for 'this database only' - i thought that might be the way to go, but then this database gets all of the options which were already there (for all databases) and the new ones I have added. I know there are some ways to play with the Nav Pane - but has anyone found anything which is simple / looks good? And how do I disable the shift key in 07? tia Kath ______________________________________ Kath Pelletti From Mwp.Reid at qub.ac.uk Sat Oct 20 05:30:34 2007 From: Mwp.Reid at qub.ac.uk (Martin W Reid) Date: Sat, 20 Oct 2007 11:30:34 +0100 Subject: [AccessD] Access 2007 menus In-Reply-To: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> References: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Message-ID: Kath Interesting example at http://www.pdtltd.co.uk/pdtl/technicalresources.htm RE The ribbon. You can create your own ribbons and associate them with forms and reports etc just as normal. Takes some XML etc to do this but nothing major. I covered this in Pro Access 2007. Watch the wrap here http://www.microsoft.com/downloads/details.aspx?familyid=291704cb-655a-491f-8089-566be7d2e9b0&displaylang=en good developer tool for this from http://pschmid.net/index.php I helped the beta on this and it makes sth eentire ribbon customisation fairly painless. http://blogs.msdn.com/access/archive/2006/07/13/customizing-the-new-access-ui.aspx Some good tips here re Access 2007 and users http://allenbrowne.com/ser-69.html Martin Martin WP Reid Information Services Queen's University Riddel Hall 185 Stranmillis Road Belfast BT9 5EE Tel : 02890974465 Email : mwp.reid at qub.ac.uk From kp at sdsonline.net Sat Oct 20 18:37:33 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Sun, 21 Oct 2007 09:37:33 +1000 Subject: [AccessD] Access 2007 menus References: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Message-ID: <001f01c81372$310ec470$6701a8c0@DELLAPTOP> thanks so much for those links Martin - Kath ----- Original Message ----- From: "Martin W Reid" To: "Access Developers discussion and problem solving" Sent: Saturday, October 20, 2007 8:30 PM Subject: Re: [AccessD] Access 2007 menus > Kath > > Interesting example at http://www.pdtltd.co.uk/pdtl/technicalresources.htm > RE The ribbon. You can create your own ribbons and associate them with > forms and reports etc just as normal. Takes some XML etc to do this but > nothing major. I covered this in Pro Access 2007. > > Watch the wrap here > > http://www.microsoft.com/downloads/details.aspx?familyid=291704cb-655a-491f-8089-566be7d2e9b0&displaylang=en > > good developer tool for this from > http://pschmid.net/index.php > > I helped the beta on this and it makes sth eentire ribbon customisation > fairly painless. > > http://blogs.msdn.com/access/archive/2006/07/13/customizing-the-new-access-ui.aspx > > Some good tips here re Access 2007 and users > > http://allenbrowne.com/ser-69.html > > > Martin > > > Martin WP Reid > Information Services > Queen's University > Riddel Hall > 185 Stranmillis Road > Belfast > BT9 5EE > Tel : 02890974465 > Email : mwp.reid at qub.ac.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Sun Oct 21 01:42:56 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Sun, 21 Oct 2007 07:42:56 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <20071018125542.613AC4E7A0@smtp.nildram.co.uk> Message-ID: <024b01c813ad$9d514c80$e149d355@minster33c3r25> Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style > Access app for a company in Peterborough. This company has > recently been taken over and whilst the new owners like and > value the app they do not like feeling so exposed on the > support front, i.e. what happens if I go under a bus or, more > prosaically, when I go on holiday. Reasonable enough really. > I've therefore been tasked with finding a software house who > will spend a few days with me to understand as much as > practically possible about the system and then will act as > second-line support when I'm unavailable. Does anyone out > there in the UK a) have any interest in taking this on, and > b) have any experience of similar operations for other > systems? Reasonable proximity to Peterborough would be a big > advantage, but if not then preparedness to travel here as and > when necessary would I'm sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From accessd at shaw.ca Sun Oct 21 07:32:08 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Sun, 21 Oct 2007 05:32:08 -0700 Subject: [AccessD] Attention UK developers In-Reply-To: <024b01c813ad$9d514c80$e149d355@minster33c3r25> Message-ID: <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> If you went a little more global than the UK you would get a better response. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Saturday, October 20, 2007 11:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style > Access app for a company in Peterborough. This company has > recently been taken over and whilst the new owners like and > value the app they do not like feeling so exposed on the > support front, i.e. what happens if I go under a bus or, more > prosaically, when I go on holiday. Reasonable enough really. > I've therefore been tasked with finding a software house who > will spend a few days with me to understand as much as > practically possible about the system and then will act as > second-line support when I'm unavailable. Does anyone out > there in the UK a) have any interest in taking this on, and > b) have any experience of similar operations for other > systems? Reasonable proximity to Peterborough would be a big > advantage, but if not then preparedness to travel here as and > when necessary would I'm sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 21 10:25:19 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 21 Oct 2007 11:25:19 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25> <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> Message-ID: <001701c813f6$979ed2f0$647aa8c0@M90> Apparently the company wants or needs them to come onsite. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Sunday, October 21, 2007 8:32 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers If you went a little more global than the UK you would get a better response. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Saturday, October 20, 2007 11:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style Access > app for a company in Peterborough. This company has recently been > taken over and whilst the new owners like and value the app they do > not like feeling so exposed on the support front, i.e. what happens if > I go under a bus or, more prosaically, when I go on holiday. > Reasonable enough really. > I've therefore been tasked with finding a software house who will > spend a few days with me to understand as much as practically possible > about the system and then will act as second-line support when I'm > unavailable. Does anyone out there in the UK a) have any interest in > taking this on, and > b) have any experience of similar operations for other systems? > Reasonable proximity to Peterborough would be a big advantage, but if > not then preparedness to travel here as and when necessary would I'm > sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Sun Oct 21 11:40:53 2007 From: john at winhaven.net (John Bartow) Date: Sun, 21 Oct 2007 11:40:53 -0500 Subject: [AccessD] Attention UK developers In-Reply-To: <001701c813f6$979ed2f0$647aa8c0@M90> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25><063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> <001701c813f6$979ed2f0$647aa8c0@M90> Message-ID: <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> Great excuse to travel and be able to write it off as a business expense :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Sunday, October 21, 2007 10:25 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Apparently the company wants or needs them to come onsite. From rockysmolin at bchacc.com Sun Oct 21 11:48:56 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 09:48:56 -0700 Subject: [AccessD] Turn Off Menu Bar Message-ID: <002301c81402$45499740$0301a8c0@HAL9005> Dear List: In A2K I turned off the standard menu bar by changing the MenuBar property of the database to False. This property doesn't seem to be present in A2K3. How do I turn off the menu bar? MTIA Rocky From fuller.artful at gmail.com Sun Oct 21 11:59:00 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sun, 21 Oct 2007 12:59:00 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25> <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> <001701c813f6$979ed2f0$647aa8c0@M90> <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> Message-ID: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> I was thinking exactly the same thing, John! And with the CDN dollar soaring past its American counterpart, it's no doubt cheaper to fly from here to Peterborough. A. On 10/21/07, John Bartow wrote: > > Great excuse to travel and be able to write it off as a business expense > :o) > From fuller.artful at gmail.com Sun Oct 21 12:15:42 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sun, 21 Oct 2007 13:15:42 -0400 Subject: [AccessD] A Problem with Static Functions Message-ID: <29f585dd0710211015i47097d9ei2b873074d559fcb3@mail.gmail.com> As regulars here well know, I'm a big fan of static functions. But I recently came across a situation in which the conventional use of statics didn't work, because they hide the value of interest within themselves, so two static functions cannot share a single value. This concerns an implementation of PushDir and PopDir. I ended up writing it like this. I invite revisions. Option Compare Database Option Explicit Global DirName_glb As String Sub PushD() DirName_glb = CurDir Debug.Print "Current Directory: " & DirName_glb End Sub Sub PopD() ChDir DirName_glb Debug.Print "Back to Directory: " & DirName_glb End Sub Sub TestPushPop() PushD ChDir "c:\Apps" Debug.Print "New directory: " & CurDir PopD End Sub TIA, Arthur From rockysmolin at bchacc.com Sun Oct 21 17:38:58 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 15:38:58 -0700 Subject: [AccessD] Colby's Error Handler Builder Message-ID: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> John: I used your Error Handler to make error traps for all the modules in E-Z-MRP. Worked really slick. I'm trying to do the same for another app and I thought I imported all of the necessary stuff but I'm getting a compile error in the new app C2DbErrHndlrBldr, module ccFillUsrProc, line: Case vbext_pk_Get The error is variable not defined. I can't figure out what I'm missing. Is it DIMmed in another module? Or is it a constant my new app's not seeing? E-Z-MRP compiles OK so I know the new app is missing something. Do you know what it might be? Thanks and regards, Rocky From anitatiedemann at gmail.com Sun Oct 21 22:11:49 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Mon, 22 Oct 2007 13:11:49 +1000 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: <002301c81402$45499740$0301a8c0@HAL9005> References: <002301c81402$45499740$0301a8c0@HAL9005> Message-ID: Rodky, Try DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > > Dear List: > > In A2K I turned off the standard menu bar by changing the MenuBar property > of the database to False. This property doesn't seem to be present in > A2K3. > How do I turn off the menu bar? > > MTIA > > Rocky > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Sun Oct 21 23:24:22 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 21:24:22 -0700 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: References: <002301c81402$45499740$0301a8c0@HAL9005> Message-ID: <008f01c81463$6c22b1b0$0301a8c0@HAL9005> I ended up discovering a command somewhere on the web which seems to work: Application.CommandBars("menu bar").Enabled = False Is the DoCmd a better approach? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Sunday, October 21, 2007 8:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Turn Off Menu Bar Rodky, Try DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > > Dear List: > > In A2K I turned off the standard menu bar by changing the MenuBar > property of the database to False. This property doesn't seem to be > present in A2K3. > How do I turn off the menu bar? > > MTIA > > Rocky > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: 10/21/2007 3:09 PM From anitatiedemann at gmail.com Mon Oct 22 00:01:48 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Mon, 22 Oct 2007 15:01:48 +1000 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: <008f01c81463$6c22b1b0$0301a8c0@HAL9005> References: <002301c81402$45499740$0301a8c0@HAL9005> <008f01c81463$6c22b1b0$0301a8c0@HAL9005> Message-ID: I don't know which is better. I never knew of the other method - thanks it might come in handy. On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > I ended up discovering a command somewhere on the web which seems to work: > > Application.CommandBars("menu bar").Enabled = False > > Is the DoCmd a better approach? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Sunday, October 21, 2007 8:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Turn Off Menu Bar > > Rodky, > Try > DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita > > > On 10/22/07, Rocky Smolin at Beach Access Software > > wrote: > > > > > > Dear List: > > > > In A2K I turned off the standard menu bar by changing the MenuBar > > property of the database to False. This property doesn't seem to be > > present in A2K3. > > How do I turn off the menu bar? > > > > MTIA > > > > Rocky > > > > > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: > 10/21/2007 > 3:09 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Mon Oct 22 02:12:45 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 22 Oct 2007 08:12:45 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> Message-ID: <028b01c8147a$f1d7b370$e149d355@minster33c3r25> Bit of a practicality issue there guys. If I'm off for a day and system crashes that day....... The response that you'll be on tonight's red-eye wouldn't go down great. Seriously though I'm disappointed that I've had interest from your side of the pond but no-one over here. Shame. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Arthur Fuller > Sent: 21 October 2007 17:59 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Attention UK developers > > > I was thinking exactly the same thing, John! And with the CDN > dollar soaring past its American counterpart, it's no doubt > cheaper to fly from here to Peterborough. > > A. > > On 10/21/07, John Bartow wrote: > > > > Great excuse to travel and be able to write it off as a business > > expense > > :o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From carbonnb at gmail.com Mon Oct 22 08:13:06 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Mon, 22 Oct 2007 09:13:06 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> Message-ID: On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all of > the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm missing. Is > it DIMmed in another module? Or is it a constant my new app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Mon Oct 22 08:35:20 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 09:35:20 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> Message-ID: <003301c814b0$64ce9940$647aa8c0@M90> It would be much easier to just download the new VB6 version from our website. Register than, close then reopen the FE. It is immediately available as a toolbar IIRC. You will need to first click the "setup" button of the toolbar and select the options you want and then you can start using it. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Monday, October 22, 2007 9:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Colby's Error Handler Builder On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all > of the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm > missing. Is it DIMmed in another module? Or is it a constant my new app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 22 08:44:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 09:44:10 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <028b01c8147a$f1d7b370$e149d355@minster33c3r25> References: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> <028b01c8147a$f1d7b370$e149d355@minster33c3r25> Message-ID: <003401c814b1$a088dcb0$647aa8c0@M90> Is the site available through remote desktop? That makes maintenance from afar much more practical, and opens up your options. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 22, 2007 3:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Bit of a practicality issue there guys. If I'm off for a day and system crashes that day....... The response that you'll be on tonight's red-eye wouldn't go down great. Seriously though I'm disappointed that I've had interest from your side of the pond but no-one over here. Shame. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 21 October 2007 17:59 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Attention UK developers > > > I was thinking exactly the same thing, John! And with the CDN dollar > soaring past its American counterpart, it's no doubt cheaper to fly > from here to Peterborough. > > A. > > On 10/21/07, John Bartow wrote: > > > > Great excuse to travel and be able to write it off as a business > > expense > > :o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 22 10:02:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 22 Oct 2007 08:02:13 -0700 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <003301c814b0$64ce9940$647aa8c0@M90> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> <003301c814b0$64ce9940$647aa8c0@M90> Message-ID: <003101c814bc$87a984a0$0301a8c0@HAL9005> Thanks. I'm already registered. Will do that. VB6 version is an add-on? dll? compatible with Access I assume. Through 2007? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 22, 2007 6:35 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Colby's Error Handler Builder It would be much easier to just download the new VB6 version from our website. Register than, close then reopen the FE. It is immediately available as a toolbar IIRC. You will need to first click the "setup" button of the toolbar and select the options you want and then you can start using it. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Monday, October 22, 2007 9:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Colby's Error Handler Builder On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all > of the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm > missing. Is it DIMmed in another module? Or is it a constant my new > app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: 10/21/2007 3:09 PM From jwcolby at colbyconsulting.com Mon Oct 22 11:11:47 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 12:11:47 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <003101c814bc$87a984a0$0301a8c0@HAL9005> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005><003301c814b0$64ce9940$647aa8c0@M90> <003101c814bc$87a984a0$0301a8c0@HAL9005> Message-ID: <000001c814c6$400b4660$647aa8c0@M90> The new version is a DLL I believe. When I said "register" I meant the DLL. There is a "how to use this" text file in the zip with the dll. You register the dll. It is then usable with ALL of the office applications that use the VBA editor, from inside of the VBA editor. IOW you can use it to insert error handlers in modules in Word, Excel, PowerPoint and of course Access. The only thing to be aware of is that it will complain IF: You open TWO office applications BEFORE attempting to use the error handler. Essentially it cannot discover which application to hook into. If however you open some application, let's say Word, then open a module in Word and insert an error handler in any function in Word, and then you open Excel, you will be able to continue to insert error handlers in Word, but you will not be able to insert error handlers in Excel or in fact in any Office application opened after the first. This is also the case (and more confusing) if you open two instances of Access. So the rule is, open the application that you want to insert an error handler in. Insert an error handler in any function. Open any other Office application as desired. You will still be able to insert error handlers in that first application. IF you happen to open two Office applications and then want to insert an error handler IN EITHER ONE OF THEM, you must close all but the one you want to insert error handlers in, insert at least one error handler in that application, and then you may open any Office application you wish and still insert error handlers in that first application. It appears that the error handler insertion wizard "hooks into" one and only one instance of any Office application (specifically the editor), and if there are more than one Office applications open before you try to use it, it cannot figure out which to hook into. Other than that it works wonderfully, and does not require a reference to the VBE IDE library as the "native" version did. BTW I did not port this to VB6 and I do not even have the source at my finger tips, though I may be able to dig it up. Let me know if you have any problems. NO IDEA whether it works with 2007. It does work with 2003 and previous. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 22, 2007 11:02 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Colby's Error Handler Builder Thanks. I'm already registered. Will do that. VB6 version is an add-on? dll? compatible with Access I assume. Through 2007? Rocky From andy at minstersystems.co.uk Mon Oct 22 13:23:03 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 22 Oct 2007 19:23:03 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <003401c814b1$a088dcb0$647aa8c0@M90> Message-ID: <02d201c814d8$962a1190$e149d355@minster33c3r25> Tis a thought you're right JC, thanks. It's not at the moment but I'll enquire about the possibilty. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: 22 October 2007 14:44 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > > Is the site available through remote desktop? That makes > maintenance from afar much more practical, and opens up your options. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Monday, October 22, 2007 3:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > Bit of a practicality issue there guys. If I'm off for a day > and system crashes that day....... The response that you'll > be on tonight's red-eye wouldn't go down great. Seriously > though I'm disappointed that I've had interest from your side > of the pond but no-one over here. Shame. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > > Fuller > > Sent: 21 October 2007 17:59 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Attention UK developers > > > > > > I was thinking exactly the same thing, John! And with the CDN dollar > > soaring past its American counterpart, it's no doubt cheaper to fly > > from here to Peterborough. > > > > A. > > > > On 10/21/07, John Bartow wrote: > > > > > > Great excuse to travel and be able to write it off as a business > > > expense > > > :o) > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From jwcolby at colbyconsulting.com Mon Oct 22 13:36:35 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 14:36:35 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <02d201c814d8$962a1190$e149d355@minster33c3r25> References: <003401c814b1$a088dcb0$647aa8c0@M90> <02d201c814d8$962a1190$e149d355@minster33c3r25> Message-ID: <000a01c814da$7a5d73b0$647aa8c0@M90> LOL. Also makes YOUR maintenance from afar much more practical. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 22, 2007 2:23 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Tis a thought you're right JC, thanks. It's not at the moment but I'll enquire about the possibilty. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: 22 October 2007 14:44 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > > Is the site available through remote desktop? That makes maintenance > from afar much more practical, and opens up your options. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Monday, October 22, 2007 3:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > Bit of a practicality issue there guys. If I'm off for a day and > system crashes that day....... The response that you'll be on > tonight's red-eye wouldn't go down great. Seriously though I'm > disappointed that I've had interest from your side of the pond but > no-one over here. Shame. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > > Fuller > > Sent: 21 October 2007 17:59 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Attention UK developers > > > > > > I was thinking exactly the same thing, John! And with the CDN dollar > > soaring past its American counterpart, it's no doubt cheaper to fly > > from here to Peterborough. > > > > A. > > > > On 10/21/07, John Bartow wrote: > > > > > > Great excuse to travel and be able to write it off as a business > > > expense > > > :o) > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Mon Oct 22 21:34:52 2007 From: darren at activebilling.com.au (Darren D) Date: Tue, 23 Oct 2007 12:34:52 +1000 Subject: [AccessD] Connect to SQL and retrieve records Message-ID: <200710230234.l9N2Yktl031341@databaseadvisors.com> Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD From andy at minstersystems.co.uk Tue Oct 23 04:55:26 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 10:55:26 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 From kp at sdsonline.net Tue Oct 23 06:10:49 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 23 Oct 2007 21:10:49 +1000 Subject: [AccessD] Lotus Notes References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <002101c81565$5f69d270$6701a8c0@DELLAPTOP> Andy - I have some previous posts on this topic - I will foward to you offline, Kath ----- Original Message ----- From: "Andy Lacey" To: "Dba" Sent: Tuesday, October 23, 2007 7:55 PM Subject: [AccessD] Lotus Notes > Morning campers > > Please no "watcha want to use Lotus Notes for" answers. Not my choice. > > So the thing is my mega-app uses the Outlook object model a lot to > construct, address and send emails, with or without attachments. I also > read > from incoming emails too, but that's a lesser concern. What I need to find > out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. > Do any of you heroes have any experience interfacing to Notes with VBA, or > have any good ideas where to look? I've found a couple of links and it > looks > like it can be done but some help and guidance would be great. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From Gustav at cactus.dk Tue Oct 23 06:11:11 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 23 Oct 2007 13:11:11 +0200 Subject: [AccessD] Lotus Notes Message-ID: Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk From accessd at shaw.ca Tue Oct 23 06:31:02 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Tue, 23 Oct 2007 04:31:02 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710230234.l9N2Yktl031341@databaseadvisors.com> Message-ID: <04E25951408A4DFDBA46AD6E545EDC6F@creativesystemdesigns.com> Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Tue Oct 23 06:41:18 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 12:41:18 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023114122.6B54C2B9ECD@smtp.nildram.co.uk> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From jwcolby at colbyconsulting.com Tue Oct 23 07:02:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 08:02:53 -0400 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <003501c8156c$a5100180$647aa8c0@M90> Watcha wanna use Lotus Notes for? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 5:55 AM To: Dba Subject: [AccessD] Lotus Notes Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Tue Oct 23 07:34:38 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 13:34:38 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023123442.353AE4C077@smtp.nildram.co.uk> Pretty hard to resist eh? :-) -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "'Access Developers discussion and problem solving'" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 12:06 Watcha wanna use Lotus Notes for? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 5:55 AM To: Dba Subject: [AccessD] Lotus Notes Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From Gustav at cactus.dk Tue Oct 23 07:56:50 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 23 Oct 2007 14:56:50 +0200 Subject: [AccessD] Lotus Notes Message-ID: Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk From andy at minstersystems.co.uk Tue Oct 23 09:58:10 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 15:58:10 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> I'll look into it. Thanks Gustav. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 13:00 Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From john at winhaven.net Tue Oct 23 12:20:26 2007 From: john at winhaven.net (John Bartow) Date: Tue, 23 Oct 2007 12:20:26 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> References: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> Message-ID: <01ce01c81599$00b4d610$6402a8c0@ScuzzPaq> Andy, I have had a system in place that does this for about 7 years now. This was originally set up when GroupWise was the corp. mail system. They are now converting to MS Exchange/Outlook. I also have it working with Lotus Notes on another site. I went around the corp. mail system as Gustav suggests. I didn't use the same software but that is somewhat irrelevant to my comments. One item of concern I'd like to point out if using a separate system to process email is the network/email/gateway security systems in place. Occasionally my system quits working properly. The reason always has been that the IT staff has changed their gateway security settings and not my system's configuration settings. This is usually a port number change and takes all of 2 minutes so it's never been a big issue. Best of luck, John B From andy at minstersystems.co.uk Tue Oct 23 12:59:47 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 18:59:47 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <01ce01c81599$00b4d610$6402a8c0@ScuzzPaq> Message-ID: <000001c8159e$852ec4f0$8b408552@minster33c3r25> Thanks for the input John. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 23 October 2007 18:20 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > > Andy, > I have had a system in place that does this for about 7 years > now. This was originally set up when GroupWise was the corp. > mail system. They are now converting to MS Exchange/Outlook. > I also have it working with Lotus Notes on another site. I > went around the corp. mail system as Gustav suggests. I > didn't use the same software but that is somewhat irrelevant > to my comments. > > One item of concern I'd like to point out if using a separate > system to process email is the network/email/gateway security > systems in place. Occasionally my system quits working > properly. The reason always has been that the IT staff has > changed their gateway security settings and not my system's > configuration settings. This is usually a port number change > and takes all of 2 minutes so it's never been a big issue. > > Best of luck, > John B > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From wdhindman at dejpolsystems.com Tue Oct 23 13:21:52 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 23 Oct 2007 14:21:52 -0400 Subject: [AccessD] Lotus Notes References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <005801c815a1$9675ce40$6b706c4c@JISREGISTRATION.local> ...have you looked at the FMS Access e-mailer solution? ...its a plug-in, works smoothly, gets updated frequently, has good support, and is Notes compatible ...as with all FMS products you pay for quality but I've always found it money well spent. William ----- Original Message ----- From: "Andy Lacey" To: "Dba" Sent: Tuesday, October 23, 2007 5:55 AM Subject: [AccessD] Lotus Notes > Morning campers > > Please no "watcha want to use Lotus Notes for" answers. Not my choice. > > So the thing is my mega-app uses the Outlook object model a lot to > construct, address and send emails, with or without attachments. I also > read > from incoming emails too, but that's a lesser concern. What I need to find > out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. > Do any of you heroes have any experience interfacing to Notes with VBA, or > have any good ideas where to look? I've found a couple of links and it > looks > like it can be done but some help and guidance would be great. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 23 14:47:00 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 15:47:00 -0400 Subject: [AccessD] Sure wish it was Friday Message-ID: <005d01c815ad$7aa57b50$647aa8c0@M90> http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com From DWUTKA at Marlow.com Tue Oct 23 18:45:07 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 23 Oct 2007 18:45:07 -0500 Subject: [AccessD] Sure wish it was Friday In-Reply-To: <005d01c815ad$7aa57b50$647aa8c0@M90> Message-ID: That was great...and so true! (You could say the same for Microsoft's OS cycle... ;) ) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 23, 2007 2:47 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Sure wish it was Friday http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Tue Oct 23 20:29:17 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 21:29:17 -0400 Subject: [AccessD] Sure wish it was Friday In-Reply-To: References: <005d01c815ad$7aa57b50$647aa8c0@M90> Message-ID: <006e01c815dd$4c148cb0$647aa8c0@M90> LOL, yea maybe. MS has fanboys but not like Apple. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 23, 2007 7:45 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Sure wish it was Friday That was great...and so true! (You could say the same for Microsoft's OS cycle... ;) ) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 23, 2007 2:47 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Sure wish it was Friday http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Wed Oct 24 02:23:01 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 24 Oct 2007 08:23:01 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <005801c815a1$9675ce40$6b706c4c@JISREGISTRATION.local> Message-ID: <002001c8160e$b67c1ec0$8b408552@minster33c3r25> Thanks William. Another possibility I didn't know about. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > William Hindman > Sent: 23 October 2007 19:22 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Lotus Notes > > > ...have you looked at the FMS Access e-mailer solution? > ...its a plug-in, > works smoothly, gets updated frequently, has good support, > and is Notes > compatible ...as with all FMS products you pay for quality > but I've always > found it money well spent. > > William > > ----- Original Message ----- > From: "Andy Lacey" > To: "Dba" > Sent: Tuesday, October 23, 2007 5:55 AM > Subject: [AccessD] Lotus Notes > > > > Morning campers > > > > Please no "watcha want to use Lotus Notes for" answers. Not > my choice. > > > > So the thing is my mega-app uses the Outlook object model a lot to > > construct, address and send emails, with or without attachments. I > > also read from incoming emails too, but that's a lesser > concern. What > > I need to find out is how I'd do the same if we go from > > Outlook/Exchange to Notes/Domino. Do any of you heroes have any > > experience interfacing to Notes with VBA, or have any good > ideas where > > to look? I've found a couple of links and it looks > > like it can be done but some help and guidance would be great. > > > > -- > > Andy Lacey > > http://www.minstersystems.co.uk > > > > ________________________________________________ > > Message sent using UebiMiau 2.7.2 > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From max.wanadoo at gmail.com Wed Oct 24 04:22:24 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 24 Oct 2007 10:22:24 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> Message-ID: <00ae01c8161f$63fc5e60$8119fea9@LTVM> Hi Andy, Nothing to do with Lotus Notes per se, but I have just written a CDO email system for bulk emails (Access 2003). Your welcome to a copy if it would help. It is not super-duper stuff and I have only used it in test mode. I will be using it for real next week. I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 3:58 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Lotus Notes I'll look into it. Thanks Gustav. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 13:00 Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 24 08:43:13 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 09:43:13 -0400 Subject: [AccessD] San Diego Fires Message-ID: <000d01c81643$d39c12a0$697aa8c0@M90> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com From Lambert.Heenan at AIG.com Wed Oct 24 08:55:50 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 09:55:50 -0400 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From John.Clark at niagaracounty.com Wed Oct 24 08:55:27 2007 From: John.Clark at niagaracounty.com (John Clark) Date: Wed, 24 Oct 2007 09:55:27 -0400 Subject: [AccessD] San Diego Fires In-Reply-To: <000d01c81643$d39c12a0$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90> Message-ID: <471F1685.167F.006B.0@niagaracounty.com> Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 24 09:05:21 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 10:05:21 -0400 Subject: [AccessD] San Diego Fires In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> Message-ID: <000001c81646$eb0c41f0$697aa8c0@M90> >Prayers? Don't get me started. LOL, I don't want to get you started. But when the winds are gusting to 80 miles an hour, fire fighters are helpless. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Wednesday, October 24, 2007 9:56 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 24 09:13:49 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 09:13:49 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <00ae01c8161f$63fc5e60$8119fea9@LTVM> References: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> <00ae01c8161f$63fc5e60$8119fea9@LTVM> Message-ID: <004501c81648$1aab00d0$6402a8c0@ScuzzPaq> How far would that actually be? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. From john at winhaven.net Wed Oct 24 09:13:49 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 09:13:49 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> Message-ID: <004401c81648$1a78f450$6402a8c0@ScuzzPaq> Its Wednesday - let's not start a "fire" of our own here - please. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Prayers? Don't get me started. From max.wanadoo at gmail.com Wed Oct 24 09:28:43 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 24 Oct 2007 15:28:43 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <004501c81648$1aab00d0$6402a8c0@ScuzzPaq> Message-ID: <004801c8164a$2ea16820$8119fea9@LTVM> About 75 miles. With good traffic, about 1 hr 45 mins to 2 hrs. Guess that doesn't sound a lot for USA, but with our roads and traffic, it can be tortuous! Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 3:14 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Lotus Notes How far would that actually be? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 24 09:32:34 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 24 Oct 2007 09:32:34 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: <471F1685.167F.006B.0@niagaracounty.com> References: <000d01c81643$d39c12a0$697aa8c0@M90> <471F1685.167F.006B.0@niagaracounty.com> Message-ID: Yes as John said, Rocky and his family evacuated and then were given the OK to go back home. Last heard from him about 11pm last night so he could have been evacuated again by now. He said that the cars were still loaded and ready to leave quickly. He described needing to wear a mask and goggles if you went outside. Best of luck to everyone in the area. You are all welcome to come to Minnesota. We have had lots of rain here over the past two months. We just had 4 days without rain which they said was the first time in 51 days that had happened. OK. Back to Access talk now ;-) GK On 10/24/07, John Clark wrote: > Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. > > > > John W. Clark > Computer Programmer > Niagara County > Central Data Processing > > > > >>> "jwcolby" 10/24/2007 9:43 AM >>> > For those who don't read the news, San Diego county is burning, tens of > square miles of land with thousands of buildings lost already and no end in > sight. The fires have been moving towards Rocky's home from what I can > tell. > > Rocky, are you still at home and how are you doing? I understand Rancho > Santa Fe is burning and the fire apparently is just across the freeway from > your neighborhood. Is there anyone else on the list being affected by this > fire? > > Let's keep these people in our prayers folks, they need more than > firefighters to put this thing out. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From cfoust at infostatsystems.com Wed Oct 24 09:32:54 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 24 Oct 2007 07:32:54 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <471F1685.167F.006B.0@niagaracounty.com> References: <000d01c81643$d39c12a0$697aa8c0@M90> <471F1685.167F.006B.0@niagaracounty.com> Message-ID: Thanks for letting us know that. I know others in the area who think they've lost their homes but can't find out for sure right now. It is such a shame, but also one of the known hazards of the area. We'll keep Rocky and his family in our thoughts, certainly. If there is anything we could do to help, I hope he knows he can call on us. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Clark Sent: Wednesday, October 24, 2007 6:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Lambert.Heenan at AIG.com Wed Oct 24 09:50:58 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 10:50:58 -0400 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71DA@XLIVMBX35bkup.aig.com> No denying that! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 10:05 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires >Prayers? Don't get me started. LOL, I don't want to get you started. But when the winds are gusting to 80 miles an hour, fire fighters are helpless. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Wednesday, October 24, 2007 9:56 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 24 09:59:06 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 07:59:06 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <000d01c81643$d39c12a0$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90> Message-ID: <001d01c8164e$6d217af0$0301a8c0@HAL9005> We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From john at winhaven.net Wed Oct 24 10:01:03 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 10:01:03 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: References: <000d01c81643$d39c12a0$697aa8c0@M90><471F1685.167F.006B.0@niagaracounty.com> Message-ID: <000901c8164e$b2810840$6402a8c0@ScuzzPaq> Rocky just posted an update on dba-OT. They're back home now. From Lambert.Heenan at AIG.com Wed Oct 24 08:59:31 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 08:59:31 -0500 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D8@XLIVMBX35bkup.aig.com> Certainly good news there! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Clark Sent: Wednesday, October 24, 2007 9:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lembit.dbamail at t-online.de Wed Oct 24 10:30:10 2007 From: lembit.dbamail at t-online.de (Lembit Soobik) Date: Wed, 24 Oct 2007 17:30:10 +0200 Subject: [AccessD] Lotus Notes References: <004801c8164a$2ea16820$8119fea9@LTVM> Message-ID: <005001c81652$c3f23960$1800a8c0@s1800> I understand it is just kind of safetynet, so it might not be necessary at all if the customer doesnt get a problem just when Any is on vacation. Lembit ----- Original Message ----- From: To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 24, 2007 4:28 PM Subject: Re: [AccessD] Lotus Notes > About 75 miles. With good traffic, about 1 hr 45 mins to 2 hrs. > > Guess that doesn't sound a lot for USA, but with our roads and traffic, it > can be tortuous! > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Wednesday, October 24, 2007 3:14 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > How far would that actually be? > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > > I was tempted to offer some help but as I am in Derby it is a bit far to > cover Peterborough. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.8/1089 - Release Date: > 23.10.2007 19:39 > > From john at winhaven.net Wed Oct 24 11:23:38 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 11:23:38 -0500 Subject: [AccessD] Data Refresh Problem Message-ID: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. From john at winhaven.net Wed Oct 24 11:28:58 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 11:28:58 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <005001c81652$c3f23960$1800a8c0@s1800> References: <004801c8164a$2ea16820$8119fea9@LTVM> <005001c81652$c3f23960$1800a8c0@s1800> Message-ID: <001a01c8165a$fac9dc60$6402a8c0@ScuzzPaq> If I were closer I'd seriously consider it for no other reason than being a business partner with Andy would look good on the 'ol resume' :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lembit Soobik I understand it is just kind of safetynet, so it might not be necessary at all if the customer doesnt get a problem just when Any is on vacation. Lembit From jwcolby at colbyconsulting.com Wed Oct 24 12:48:11 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 13:48:11 -0400 Subject: [AccessD] Data Refresh Problem In-Reply-To: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: <002101c81666$0c4c6e70$697aa8c0@M90> I would look first at service pack stuff, both windows and office. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 12:24 PM To: _DBA-Access Subject: [AccessD] Data Refresh Problem Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 24 13:33:34 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 24 Oct 2007 14:33:34 -0400 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect Message-ID: <012a01c8166c$66fa0700$4b3a8343@SusanOne> http://support.microsoft.com/kb/943519 I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! SUsan H. From accessd at shaw.ca Wed Oct 24 13:46:06 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:46:06 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <001d01c8164e$6d217af0$0301a8c0@HAL9005> Message-ID: <91266CC8839B4BCEA204CA8407FAA617@creativesystemdesigns.com> Very informative... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 7:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 24 13:41:54 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 24 Oct 2007 13:41:54 -0500 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect In-Reply-To: <012a01c8166c$66fa0700$4b3a8343@SusanOne> References: <012a01c8166c$66fa0700$4b3a8343@SusanOne> Message-ID: OK, I'll say it. You are just BEGINNING to think that NOW? ;-) GK On 10/24/07, Susan Harkins wrote: > http://support.microsoft.com/kb/943519 > > > > I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! > > > > SUsan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From accessd at shaw.ca Wed Oct 24 13:51:35 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:51:35 -0700 Subject: [AccessD] Data Refresh Problem In-Reply-To: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 9:24 AM To: _DBA-Access Subject: [AccessD] Data Refresh Problem Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 24 13:54:29 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:54:29 -0700 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect In-Reply-To: <012a01c8166c$66fa0700$4b3a8343@SusanOne> Message-ID: Thanks for the heads up... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 24, 2007 11:34 AM To: AccessD at databaseadvisors.com Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect http://support.microsoft.com/kb/943519 I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! SUsan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Wed Oct 24 14:47:20 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Wed, 24 Oct 2007 14:47:20 -0500 Subject: [AccessD] Access as web backend Message-ID: I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From greg at worthey.com Wed Oct 24 15:13:41 2007 From: greg at worthey.com (Greg Worthey) Date: Wed, 24 Oct 2007 13:13:41 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: References: Message-ID: <008301c8167a$60478460$1901a8c0@wsp21> I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. From rockysmolin at bchacc.com Wed Oct 24 15:22:08 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 13:22:08 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> References: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <008a01c8167b$8d42c190$0301a8c0@HAL9005> What part of town do you live in? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 1:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From tinanfields at torchlake.com Wed Oct 24 16:12:22 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 17:12:22 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008a01c8167b$8d42c190$0301a8c0@HAL9005> References: <008301c8167a$60478460$1901a8c0@wsp21> <008a01c8167b$8d42c190$0301a8c0@HAL9005> Message-ID: <471FB536.8010805@torchlake.com> Hi Rocky and Greg, My son also lives out there. He and his family were evacuated from La Mesa and are "camping out" for the duration at his place of business, which is right near the ocean. I am glad for my son's family's safety and for yours. I am dismayed to have the sort of wild-eyed disinformation that Greg refers to being spread and causing panic. Is there anything we can do to help promote rational thinking? Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > What part of town do you live in? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard for San > Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated recording, > several miles in advance of any possible fire path. This "perfect storm", in > fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly fuzzy > at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) > - while a million people are forced to sit in parking lots and auditoriums > (as if panic were called for), only about 1000 people in all of so cal are > fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, tout > suite, by early Monday morning. As of Wednesday morning, officials are still > TALKING about doing the same here. It has nothing to do with wind > conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out the > western seaboard, the reality is that it's mostly low brush fires in scantly > covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but > mostly it's just insane overreaction (and underreaction) re people. The news > picks the most impressive clips (i.e. a house or patch of trees in inferno), > rather than the prevalent lowscale desert brush fire, and loops that image > over and over. Most of the 1,000,000 people evacuated were in no danger at > all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person with a > garden hose could have put out the incipient fires on the spot, before they > consumed anything and grew. Not in all cases, of course, but when an ember > hits, it's going to start a SMALL fire, and a quick garden hose can put it > out (whereas a firetruck hours later can only try to calm the all-consuming > inferno). > > So not only did this new "reverse 911 system" massively inconvenience and > frighten a MILLION people, and nearly shut down the whole county, it also > removed all witnesses to small brush fires becoming infernos due to the fact > that no one was there to do the least thing to prevent spreading to big fuel > (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, > while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 > 7:57 PM > > > From jwcolby at colbyconsulting.com Wed Oct 24 16:14:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 17:14:10 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> References: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <003001c81682$d3c03dd0$697aa8c0@M90> Greg, I was a (volunteer) firefighter up in Connecticut and completed the Firefighter 1 training (required to go inside burning buildings). I also lived in San Marcos for 15 years (1980-1995) before moving on. While you are correct in everything you say it still doesn't paint the full picture. The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 4:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 24 16:29:04 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 14:29:04 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <471FB536.8010805@torchlake.com> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190$0301a8c0@HAL9005> <471FB536.8010805@torchlake.com> Message-ID: <009201c81684$e75412c0$0301a8c0@HAL9005> I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. What was your son's experience with the information and his evacuation? And how long can we get away with this thread before the moderators pinch us? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris Fields Sent: Wednesday, October 24, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Perspective on So Cal fires 2007 Hi Rocky and Greg, My son also lives out there. He and his family were evacuated from La Mesa and are "camping out" for the duration at his place of business, which is right near the ocean. I am glad for my son's family's safety and for yours. I am dismayed to have the sort of wild-eyed disinformation that Greg refers to being spread and causing panic. Is there anything we can do to help promote rational thinking? Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > What part of town do you live in? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: > 10/22/2007 > 7:57 PM > > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From dw-murphy at cox.net Wed Oct 24 16:34:38 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Wed, 24 Oct 2007 14:34:38 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <006101c81685$ae1ce5d0$0200a8c0@murphy3234aaf1> This is probably not the place to have this discussion, but I can't help but comment. I live in the County of San Diego, in an area that burned in 2003. Several of my neighbors lost their homes. Most of the whole community of Crest, just up the road from me lost their homes. Several families in Muth Valley lost members due to lack of warning. The biggest criticism of how that fire was handled was that people were not given adequate notice. I am all for getting information out and the reverse 911 system is probably the best way to do it. We were ready to leave for this fire but our area never got beyond voluntary evacuation. From my perspective, living in a fire area, I'll take all the news I can get. We can't control the media, but we can thank all the city, county, state folks who have helped with this event. If you want to see the extent of the fires on what I think is one of the best fire reporting maps go to http://www.kpbs.org/news/fires and click on the interactive fire map. Great use of a Google maps mashup. Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 1:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From tinanfields at torchlake.com Wed Oct 24 16:34:50 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 17:34:50 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <003001c81682$d3c03dd0$697aa8c0@M90> References: <008301c8167a$60478460$1901a8c0@wsp21> <003001c81682$d3c03dd0$697aa8c0@M90> Message-ID: <471FBA7A.7060805@torchlake.com> John, Thanks for your thoughtful and informative discussion. Best regards, Tina jwcolby wrote: > Greg, > > I was a (volunteer) firefighter up in Connecticut and completed the > Firefighter 1 training (required to go inside burning buildings). I also > lived in San Marcos for 15 years (1980-1995) before moving on. While you > are correct in everything you say it still doesn't paint the full picture. > > The shake shingle roofs which were quite common on the houses built in the > 70s and 80s will catch fire from embers landing on the roofs. If these > shingles are old and untreated they will catch fairly rapidly and once a > patch of roof is engulfed no garden hose will put it out. A fully engulfed > home can and will catch the house next door and in fact entire neighborhoods > can go very quickly. People caught in those situations can quite easily > die. Fires blown by high winds can "jump" hundreds of yards or even miles > (in brush). In fact this is exactly how they jump the freeways which you > would think would act as natural firebreaks and create natural boundaries; > They can but all too often do not because of the winds. Thus a single house > on fire can "cause" another house hundreds of yards away to burn. > > Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire > with entire engines available to them, all they can do is control and wet > down the adjacent buildings to prevent the spread. > > Trained firemen die every year (encased in full on fire gear) because they > get caught in the middle of a fire when the fire jumps over them and catches > the brush around them. In fact firemen fighting brush fires are often > provided "solar blankets" which can SOMETIMES save their lives by allowing > them to hide under these blankets if they do get caught in a fire. > > I have never been inside of a real live burning structure but I have done > the training with air packs and fire suits, going into training buildings > with real fires (and LOTS of smoke) and even with suits designed to > withstand 600 degree heat it is HOT and you can't see 2 inches in front of > your face. Unprotected civilians in a fully engulfed burning neighborhood > will die, if not from the flames and heat, then from smoke inhalation or > even heart attacks. > > Evacuating a million people is the exact right thing to do rather than lose > lives. Even worse is to lose firefighters trying to rescue the idiots that > want to try and save their homes and get caught behind the fire line. A > single house burning is nothing to mess with, a brush fire or an entire > burning neighborhood whipped up by high winds can turn deadly in seconds, > even for trained professionals. > > It is easy to criticize the effects of evacuations but in fact people die > from these fires every year because they refuse to leave and try to save > their home with garden hoses. Personally I don't mind if idiots die > (cleansing the gene pool) but I object to firefighters dying trying to > rescue the idiots. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey > Sent: Wednesday, October 24, 2007 4:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard for San > Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated recording, > several miles in advance of any possible fire path. This "perfect storm", in > fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly fuzzy > at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) > - while a million people are forced to sit in parking lots and auditoriums > (as if panic were called for), only about 1000 people in all of so cal are > fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, tout > suite, by early Monday morning. As of Wednesday morning, officials are still > TALKING about doing the same here. It has nothing to do with wind > conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out the > western seaboard, the reality is that it's mostly low brush fires in scantly > covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but > mostly it's just insane overreaction (and underreaction) re people. The news > picks the most impressive clips (i.e. a house or patch of trees in inferno), > rather than the prevalent lowscale desert brush fire, and loops that image > over and over. Most of the 1,000,000 people evacuated were in no danger at > all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person with a > garden hose could have put out the incipient fires on the spot, before they > consumed anything and grew. Not in all cases, of course, but when an ember > hits, it's going to start a SMALL fire, and a quick garden hose can put it > out (whereas a firetruck hours later can only try to calm the all-consuming > inferno). > > So not only did this new "reverse 911 system" massively inconvenience and > frighten a MILLION people, and nearly shut down the whole county, it also > removed all witnesses to small brush fires becoming infernos due to the fact > that no one was there to do the least thing to prevent spreading to big fuel > (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, > while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From andy at minstersystems.co.uk Wed Oct 24 16:37:48 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 24 Oct 2007 22:37:48 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <001a01c8165a$fac9dc60$6402a8c0@ScuzzPaq> Message-ID: <000001c81686$234bad50$8b408552@minster33c3r25> Aw shucks you flatterer. The honour would be all ine John. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 24 October 2007 17:29 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > > If I were closer I'd seriously consider it for no other > reason than being a business partner with Andy would look > good on the 'ol resume' :o) > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Lembit Soobik > > I understand it is just kind of safetynet, so it might not be > necessary at all if the customer doesnt get a problem just > when Any is on vacation. Lembit > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From john at winhaven.net Wed Oct 24 19:44:48 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 19:44:48 -0500 Subject: [AccessD] Data Refresh Problem In-Reply-To: References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: <002301c816a0$3eb46f90$6402a8c0@ScuzzPaq> SQL Server would be ideal for this site as they have 3 other apps running on it. But alas: #1) I don't think the developer can do SQL #2.) I don't have time to rewrite this app for them Big #3) they wouldn't want to pay for it :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 1:52 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. From john at winhaven.net Wed Oct 24 19:44:48 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 19:44:48 -0500 Subject: [AccessD] Data Refresh Problem In-Reply-To: <002101c81666$0c4c6e70$697aa8c0@M90> References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> <002101c81666$0c4c6e70$697aa8c0@M90> Message-ID: <002401c816a0$3ef98ee0$6402a8c0@ScuzzPaq> Thanks for the suggestion. I keep that stuff up to par. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby I would look first at service pack stuff, both windows and office. From accessd at shaw.ca Wed Oct 24 20:50:46 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 18:50:46 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From tinanfields at torchlake.com Wed Oct 24 21:44:15 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 22:44:15 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <009201c81684$e75412c0$0301a8c0@HAL9005> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190 $0301a8c0@HAL9005><471FB536.8010805@torchlake.com> <009201c81684$e75412c0$0301a8c0@HAL9005> Message-ID: <472002FF.1070604@torchlake.com> Hi Rocky, My son Doug said that the smoke was a real factor. I don't think he has a problem, either, with leaving the house until it is safe to come back. My response to Greg took his information at face value. I am not on the scene and cannot judge. From what you and John Colby have since explained, I agree that the measures taken are rational. I want all of you, my friends and my family, to be safe and to get through this very scary fire. Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > I don't find that the information is wild or irrational. There's no panic > here. I believe you'll hear reports in the coming days and weeks about how > orderly and effective the evacuations proceeded, how the shelters were set > up and run efficiently, and although there were some problems in fighting > the fires, how could there not be, overall I think the operation will be > judged very successful. > > I personally had no problem leaving when the order came. I couldn't go > outside without a mask and goggles, couldn't see to the end of the street > for the smoke, was standing in a 20-40 mph wind, and directly upwind was a > fire racing towards Del Mar. If you look at a map of the fire burn area > you can see how unpredictable the progress of a fire is. It can turn in a > minute based on the shifting winds or even the wind created by the fire > itself. Evacuating folks in a wide margin around a fire seems prudent. > > I know lots of people who were evacuated. Haven't heard a single complaint > yet. And we're being flooded with good minute to minute information. > > There will also be lots of reporting about the things that went wrong - > makes for good press. By these reports everyone will be judged to be a > bumbling, shortsighted, incompetent fool. You'll just have to read up on it > and judge for yourself. > > What was your son's experience with the information and his evacuation? > > And how long can we get away with this thread before the moderators pinch > us? > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris > Fields > Sent: Wednesday, October 24, 2007 2:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Perspective on So Cal fires 2007 > > Hi Rocky and Greg, > My son also lives out there. He and his family were evacuated from La Mesa > and are "camping out" for the duration at his place of business, which is > right near the ocean. I am glad for my son's family's safety and for yours. > I am dismayed to have the sort of wild-eyed disinformation that Greg refers > to being spread and causing panic. Is there anything we can do to help > promote rational thinking? > Kindest regards, > Tina > > Rocky Smolin at Beach Access Software wrote: > >> What part of town do you live in? >> >> Rocky >> >> >> >> >> >> >> >> >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg >> Worthey >> Sent: Wednesday, October 24, 2007 1:14 PM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Perspective on So Cal fires 2007 >> >> I live in san diego. >> >> Facts on the So Cal fires: >> - has affected about 640 square miles (410,000 acres) so far. >> - 1,000,000 people have been forcibly evacuated (last number I heard >> for San Diego county was 513,000, yesterday) >> - most of those people were ordered to leave by an automated >> recording, several miles in advance of any possible fire path. This >> "perfect storm", in fact, came nowhere near 99% of their homes. >> - 1,250 homes have been destroyed; half that from the 2003 fires >> - information about the size and location of the fires remains wildly >> fuzzy at best. Best mapped info is here: >> http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google >> earth) >> - while a million people are forced to sit in parking lots and >> auditoriums (as if panic were called for), only about 1000 people in >> all of so cal are fighting fires (as if no one could help) >> - Planes were scooping water from the pacific ocean to drop on Malibu, >> tout suite, by early Monday morning. As of Wednesday morning, >> officials are still TALKING about doing the same here. It has nothing >> to do with wind conditions; same lie they used 4 years ago. >> >> >> While it's depicted on the news as a wild inferno racing to wipe out >> the western seaboard, the reality is that it's mostly low brush fires >> in scantly covered (semi-desert) unpopulated areas. It's a tragedy for >> wildlife, but mostly it's just insane overreaction (and underreaction) >> re people. The news picks the most impressive clips (i.e. a house or >> patch of trees in inferno), rather than the prevalent lowscale desert >> brush fire, and loops that image over and over. Most of the 1,000,000 >> people evacuated were in no danger at all. >> >> Most of the 1200 houses were randomly hit (i.e. one destroyed, while >> neighbors were untouched). This indicates that in many cases a person >> with a garden hose could have put out the incipient fires on the spot, >> before they consumed anything and grew. Not in all cases, of course, >> but when an ember hits, it's going to start a SMALL fire, and a quick >> garden hose can put it out (whereas a firetruck hours later can only >> try to calm the all-consuming inferno). >> >> So not only did this new "reverse 911 system" massively inconvenience >> and frighten a MILLION people, and nearly shut down the whole county, >> it also removed all witnesses to small brush fires becoming infernos >> due to the fact that no one was there to do the least thing to prevent >> spreading to big fuel (ie. trees and houses). >> >> Insanity. Kind of like dutifully confiscating toothpaste and nail >> clippers, while allowing 75% of bombs through airport security. >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> No virus found in this incoming message. >> Checked by AVG Free Edition. >> Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: >> 10/22/2007 >> 7:57 PM >> >> >> >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 > 7:57 PM > > > From rockysmolin at bchacc.com Wed Oct 24 23:21:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 21:21:13 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <472002FF.1070604@torchlake.com> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190$0301a8c0@HAL9005><471FB536.8010805@torchlake.com><009201c81684$e75412c0$0301a8c0@HAL9005> <472002FF.1070604@torchlake.com> Message-ID: <00d901c816be$7ae870b0$0301a8c0@HAL9005> Well, everybody has only their personal experience. So everybody sees it differently. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris Fields Sent: Wednesday, October 24, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Perspective on So Cal fires 2007 Hi Rocky, My son Doug said that the smoke was a real factor. I don't think he has a problem, either, with leaving the house until it is safe to come back. My response to Greg took his information at face value. I am not on the scene and cannot judge. From what you and John Colby have since explained, I agree that the measures taken are rational. I want all of you, my friends and my family, to be safe and to get through this very scary fire. Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > I don't find that the information is wild or irrational. There's no > panic here. I believe you'll hear reports in the coming days and > weeks about how orderly and effective the evacuations proceeded, how > the shelters were set up and run efficiently, and although there were > some problems in fighting the fires, how could there not be, overall I > think the operation will be judged very successful. > > I personally had no problem leaving when the order came. I couldn't > go outside without a mask and goggles, couldn't see to the end of the > street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a > fire racing towards Del Mar. If you look at a map of the fire burn area > you can see how unpredictable the progress of a fire is. It can turn > in a minute based on the shifting winds or even the wind created by > the fire itself. Evacuating folks in a wide margin around a fire seems prudent. > > I know lots of people who were evacuated. Haven't heard a single > complaint yet. And we're being flooded with good minute to minute information. > > There will also be lots of reporting about the things that went wrong > - makes for good press. By these reports everyone will be judged to > be a bumbling, shortsighted, incompetent fool. You'll just have to > read up on it and judge for yourself. > > What was your son's experience with the information and his evacuation? > > And how long can we get away with this thread before the moderators > pinch us? > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris > Fields > Sent: Wednesday, October 24, 2007 2:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Perspective on So Cal fires 2007 > > Hi Rocky and Greg, > My son also lives out there. He and his family were evacuated from La > Mesa and are "camping out" for the duration at his place of business, > which is right near the ocean. I am glad for my son's family's safety and for yours. > I am dismayed to have the sort of wild-eyed disinformation that Greg > refers to being spread and causing panic. Is there anything we can do > to help promote rational thinking? > Kindest regards, > Tina > > Rocky Smolin at Beach Access Software wrote: > >> What part of town do you live in? >> >> Rocky >> >> >> >> >> >> >> >> >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg >> Worthey >> Sent: Wednesday, October 24, 2007 1:14 PM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Perspective on So Cal fires 2007 >> >> I live in san diego. >> >> Facts on the So Cal fires: >> - has affected about 640 square miles (410,000 acres) so far. >> - 1,000,000 people have been forcibly evacuated (last number I heard >> for San Diego county was 513,000, yesterday) >> - most of those people were ordered to leave by an automated >> recording, several miles in advance of any possible fire path. This >> "perfect storm", in fact, came nowhere near 99% of their homes. >> - 1,250 homes have been destroyed; half that from the 2003 fires >> - information about the size and location of the fires remains wildly >> fuzzy at best. Best mapped info is here: >> http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google >> earth) >> - while a million people are forced to sit in parking lots and >> auditoriums (as if panic were called for), only about 1000 people in >> all of so cal are fighting fires (as if no one could help) >> - Planes were scooping water from the pacific ocean to drop on >> Malibu, tout suite, by early Monday morning. As of Wednesday morning, >> officials are still TALKING about doing the same here. It has nothing >> to do with wind conditions; same lie they used 4 years ago. >> >> >> While it's depicted on the news as a wild inferno racing to wipe out >> the western seaboard, the reality is that it's mostly low brush fires >> in scantly covered (semi-desert) unpopulated areas. It's a tragedy >> for wildlife, but mostly it's just insane overreaction (and >> underreaction) re people. The news picks the most impressive clips >> (i.e. a house or patch of trees in inferno), rather than the >> prevalent lowscale desert brush fire, and loops that image over and >> over. Most of the 1,000,000 people evacuated were in no danger at all. >> >> Most of the 1200 houses were randomly hit (i.e. one destroyed, while >> neighbors were untouched). This indicates that in many cases a person >> with a garden hose could have put out the incipient fires on the >> spot, before they consumed anything and grew. Not in all cases, of >> course, but when an ember hits, it's going to start a SMALL fire, and >> a quick garden hose can put it out (whereas a firetruck hours later >> can only try to calm the all-consuming inferno). >> >> So not only did this new "reverse 911 system" massively inconvenience >> and frighten a MILLION people, and nearly shut down the whole county, >> it also removed all witnesses to small brush fires becoming infernos >> due to the fact that no one was there to do the least thing to >> prevent spreading to big fuel (ie. trees and houses). >> >> Insanity. Kind of like dutifully confiscating toothpaste and nail >> clippers, while allowing 75% of bombs through airport security. >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> No virus found in this incoming message. >> Checked by AVG Free Edition. >> Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: >> 10/22/2007 >> 7:57 PM >> >> >> >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: > 10/22/2007 > 7:57 PM > > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From accessd at shaw.ca Thu Oct 25 01:46:53 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 23:46:53 -0700 Subject: [AccessD] Data Refresh Problem In-Reply-To: <002301c816a0$3eb46f90$6402a8c0@ScuzzPaq> Message-ID: John it looks like a Strike three situation... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 5:45 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem SQL Server would be ideal for this site as they have 3 other apps running on it. But alas: #1) I don't think the developer can do SQL #2.) I don't have time to rewrite this app for them Big #3) they wouldn't want to pay for it :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 1:52 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Thu Oct 25 01:58:20 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 23:58:20 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> Hi Jim: I just looked down further in your email and noticed the questions you had posed. I have done a number of wed sites that use databases but have never attempted the challenge with an Access DB. I have always used on the many SQL databases and have never had that problem. What sort of WebServer are you using? IIS or Apache? A WebServer and a real SQL DB should be able to manage/queue multiple calls with ease. Here is a website that has a group of tools for stress testing web sites: http://www.softwareqatest.com/qatweb1.html Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From greg at worthey.com Thu Oct 25 08:52:28 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 06:52:28 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: Message-ID: <00b301c8170e$4986ef60$1901a8c0@wsp21> John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" ... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com From Jim.Hale at FleetPride.com Thu Oct 25 08:54:33 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 08:54:33 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Jim.Hale at FleetPride.com Thu Oct 25 08:55:40 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 08:55:40 -0500 Subject: [AccessD] Access as web backend In-Reply-To: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> References: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> Message-ID: Thanks Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Thursday, October 25, 2007 1:58 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: I just looked down further in your email and noticed the questions you had posed. I have done a number of wed sites that use databases but have never attempted the challenge with an Access DB. I have always used on the many SQL databases and have never had that problem. What sort of WebServer are you using? IIS or Apache? A WebServer and a real SQL DB should be able to manage/queue multiple calls with ease. Here is a website that has a group of tools for stress testing web sites: http://www.softwareqatest.com/qatweb1.html Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From andy at minstersystems.co.uk Thu Oct 25 09:15:09 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 15:15:09 +0100 Subject: [AccessD] So Cal fires perspective Message-ID: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From lmrazek at lcm-res.com Thu Oct 25 09:21:47 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Thu, 25 Oct 2007 09:21:47 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 8:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Thu Oct 25 09:24:47 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 25 Oct 2007 07:24:47 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Message-ID: Thanks, Andy. It was time for that. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 7:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 25 10:03:20 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:03:20 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00b301c8170e$4986ef60$1901a8c0@wsp21> References: <00b301c8170e$4986ef60$1901a8c0@wsp21> Message-ID: <007901c81718$2f37d020$697aa8c0@M90> Greg, Give me a break! If you evacuate a million people, then how can you say "the only casualties were... " when you may very well have evacuated hundreds of "would have been" casualties. That is a non sequitur. The decisions to evacuate an area are not made in a vacuum. There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc. If they evacuate 1 million people, 1 million people are inconvenienced. If they make the wrong decision, people can and DO die! Hmmm... inconvenience... death... inconvenience... death... If asked to leave, people have no business staying behind. Fighting fires is not the job of the guy next door. It is a dangerous, even deadly job. How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke? How many would have died staying behind to take care of them when the fire jumped an entire neighborhood and ended up burning their rest home to the ground? Just because it didn't happened doesn't mean it couldn't happen. And precisely right, why not 10 million or 100 million? Who makes that decision? How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out? And who should stay? I assume the women and children should leave? But wait, no cars for the poor guys to get out when the time comes? Oh, I understand, we could organize bus routes to run this "volunteer corp" of yours around eh? Brilliant idea I must admit. I kinda wish I had thought of it! 8-( And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away? But wait, if the fire is in the block next door isn't that exactly when you would be most value putting out the "small incipient fires" caused by embers raining down? But wait, if the fire is just two houses away NOW is exactly when you would be of the most value because of the embers raining down, right? Now, TAKE A LOOK AROUND YOU!!! Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks. Hmmm... if you assume out of 1 million people evacuated AT LEAST 100K of them would be "adult males able to fight fires" and you assume just 1 percent of them have heart attacks because they are just not physically capable of doing the job.... hm... that is 1 THOUSAND heart attack victims (or "only" 100? or "only" 10?). But wait, we could arrange screening facilities in the middle of every block... to decide who stays and goes... OK, everybody, line up over there... let's get your blood pressure... hmm.. could you do even 10 pushups for me to demonstrate that you can do ANYTHING? I have to assume from your "tone of voice" that you have ready scientific answers to this question? I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? And of course I have to ask, how vocal would you be about the idiotic decision NOT to evacuate when a hundred people die that should have been evacuated. And finally, how many of those who died because they were NOT forced to evacuate would the family have won 100 million dollar law suits against the city for the "idiotic decision" not to evacuate them? I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions. I highly recommend that YOU spend the many hours to go get training to be a fireman and YOU go do it and then come back and repeat your remarks. Tell me that YOU are an expert on these matters and then your opinions will be highly valued, until then they are just ridicule of people doing a lot of different jobs that you quite obviously know nothing about. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:52 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg From jwcolby at colbyconsulting.com Thu Oct 25 10:10:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:10:40 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Message-ID: <008e01c81719$35a7cdb0$697aa8c0@M90> Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Thu Oct 25 10:13:18 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 10:13:18 -0500 Subject: [AccessD] Access as web backend In-Reply-To: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> References: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> Message-ID: I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Thu Oct 25 10:15:32 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:15:32 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <008e01c81719$35a7cdb0$697aa8c0@M90> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> <008e01c81719$35a7cdb0$697aa8c0@M90> Message-ID: <008f01c81719$e35b4590$697aa8c0@M90> They did use a database to decide who to call for evacuation. Does that make it Access related? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:11 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] So Cal fires perspective Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk From jwcolby at colbyconsulting.com Thu Oct 25 10:17:31 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:17:31 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <001d01c8164e$6d217af0$0301a8c0@HAL9005> References: <000d01c81643$d39c12a0$697aa8c0@M90> <001d01c8164e$6d217af0$0301a8c0@HAL9005> Message-ID: <009001c8171a$2a3d5430$697aa8c0@M90> Rocky, I was SERIOUSLY worried that our Southern California AccessD conference location was in danger. Oh yea, and that you and your family were safe as well... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 10:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Thu Oct 25 10:30:20 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 16:30:20 +0100 Subject: [AccessD] So Cal fires perspective Message-ID: <20071025153025.CA75F2DFDF6@smtp.nildram.co.uk> ROTFL. 11/10 for cheek. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "'Access Developers discussion and problem solving'" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 15:21 They did use a database to decide who to call for evacuation. Does that make it Access related? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:11 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] So Cal fires perspective Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From mmattys at rochester.rr.com Thu Oct 25 10:30:56 2007 From: mmattys at rochester.rr.com (Michael R Mattys) Date: Thu, 25 Oct 2007 11:30:56 -0400 Subject: [AccessD] So Cal fires perspective References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> <008e01c81719$35a7cdb0$697aa8c0@M90> <008f01c81719$e35b4590$697aa8c0@M90> Message-ID: <02ca01c8171c$0af83160$0202a8c0@Laptop> Backyard barbeque with Greg and John, anyone? Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 25, 2007 11:15 AM Subject: Re: [AccessD] So Cal fires perspective > They did use a database to decide who to call for evacuation. Does that > make it Access related? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 11:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] So Cal fires perspective > > Sorry Andy, I pressed send and came back to see this. > > 8-( > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Thursday, October 25, 2007 10:15 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] So Cal fires perspective > > Sorry folks. I'm really interested in the discussion but with my mod's hat > on I have to say that the Access content is a little on the low side. > Please > take this to OT if you want to continue. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 25 10:51:18 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:51:18 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <02ca01c8171c$0af83160$0202a8c0@Laptop> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk><008e01c81719$35a7cdb0$697aa8c0@M90><008f01c81719$e35b4590$697aa8c0@M90> <02ca01c8171c$0af83160$0202a8c0@Laptop> Message-ID: <009c01c8171e$e2a63420$697aa8c0@M90> ROTFL. Who is being BBQd? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael R Mattys Sent: Thursday, October 25, 2007 11:31 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Backyard barbeque with Greg and John, anyone? Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 25, 2007 11:15 AM Subject: Re: [AccessD] So Cal fires perspective > They did use a database to decide who to call for evacuation. Does that > make it Access related? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 11:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] So Cal fires perspective > > Sorry Andy, I pressed send and came back to see this. > > 8-( > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Thursday, October 25, 2007 10:15 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] So Cal fires perspective > > Sorry folks. I'm really interested in the discussion but with my mod's hat > on I have to say that the Access content is a little on the low side. > Please > take this to OT if you want to continue. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 10:55:34 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 08:55:34 -0700 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <009001c8171a$2a3d5430$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90><001d01c8164e$6d217af0$0301a8c0@HAL9005> <009001c8171a$2a3d5430$697aa8c0@M90> Message-ID: <005001c8171f$7b3efe10$0301a8c0@HAL9005> Yeah, AOK today (if I can impose on the moderator for one more update). Worse air quality this morning, very smoky. Fires are burning towards the east as the Santa Ana has broken down. Big fires in Camp Pendleton and Mount Palomar. Some homes in Rancho Santa Fe burned - just east of us. But we're not in any danger of burning now. There's a lot of coverage including a lots of video on line if people are interested. The local paper: http://www.signonsandiego.com/ CBS affiliate: http://www.cbs8.com/ NBC affiliate: http://www.nbcsandiego.com/index.html probably the best for pictures and video. I'd like to thank everybody who asked on-line and off-line about us, for your concern and your prayers. (OK, Andy, I'm done.) Best to all Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 8:18 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Good to hear - was RE: San Diego Fires Rocky, I was SERIOUSLY worried that our Southern California AccessD conference location was in danger. Oh yea, and that you and your family were safe as well... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 10:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From joeo at appoli.com Thu Oct 25 11:11:52 2007 From: joeo at appoli.com (Joe O'Connell) Date: Thu, 25 Oct 2007 12:11:52 -0400 Subject: [AccessD] Access as web backend References: Message-ID: Jim, Is the database opened in shared or exclusive mode? Be sure that it is shared. From the database window, click on Options then select the Advanced tab. The Default Open Mode should be set to Shared. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 3:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From greg at worthey.com Thu Oct 25 11:30:18 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 09:30:18 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: Message-ID: <00ba01c81724$558266d0$1901a8c0@wsp21> Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > From dw-murphy at cox.net Thu Oct 25 11:32:54 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Thu, 25 Oct 2007 09:32:54 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: <002301c81724$b18fc530$0200a8c0@murphy3234aaf1> I have done a few ASP sites with Access backends and have not seen that problem. Admitedly they aren't high trafic sites, but the connections to the db are only open for a fraction of a second for each transaction. Does the code your using close each connection when a database transaction is performed? Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 6:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Thu Oct 25 11:37:35 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 25 Oct 2007 09:37:35 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00ba01c81724$558266d0$1901a8c0@wsp21> References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: Greg, You're entitled to your opinions, but the Santa Anas made water drops impossible a good portion of the time. Please don't keep THIS fire burning! ;0} Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:30 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 12:22:05 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 10:22:05 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00ba01c81724$558266d0$1901a8c0@wsp21> References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: <006e01c8172b$90eea290$0301a8c0@HAL9005> We can have this debate but you have to join the OT list to do it. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:30 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From andy at minstersystems.co.uk Thu Oct 25 12:42:49 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 18:42:49 +0100 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <005001c8171f$7b3efe10$0301a8c0@HAL9005> Message-ID: <000001c8172e$769a0940$8b408552@minster33c3r25> Rocky, posts about your safety are always on-topic AFAIC. Great to hear you're ok. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: 25 October 2007 16:56 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires > > > Yeah, AOK today (if I can impose on the moderator for one > more update). Worse air quality this morning, very smoky. > Fires are burning towards the east as the Santa Ana has > broken down. Big fires in Camp Pendleton and Mount Palomar. > Some homes in Rancho Santa Fe burned - just east of us. But > we're not in any danger of burning now. There's a lot of > coverage including > a lots of video on line if people are interested. > > The local paper: http://www.signonsandiego.com/ > CBS affiliate: http://www.cbs8.com/ > NBC affiliate: http://www.nbcsandiego.com/index.html probably > the best for pictures and video. > > I'd like to thank everybody who asked on-line and off-line > about us, for your concern and your prayers. > > (OK, Andy, I'm done.) > > Best to all > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 8:18 AM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Good to hear - was RE: San Diego Fires > > Rocky, I was SERIOUSLY worried that our Southern California > AccessD conference location was in danger. Oh yea, and that > you and your family were safe as well... > > ;-) > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Wednesday, October 24, 2007 10:59 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] San Diego Fires > > We're back and safe. We had most of Monday to prepare to > evacuate. Didn't know if the fires would get to the coast > but it was predicted. There's really no way to stop a fire > in that wind. Air tankers and helicopters can't go up. It > came within about 5-10 miles of Del Mar. You can get al the > maps and stats at http://www.signonsandiego.com/ > > It's not over. Containment of the fires is still between 0 > and 10 percent. Bu, unless something changes radically, we're > going to unpack today. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Wednesday, October 24, 2007 6:43 AM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] San Diego Fires > > For those who don't read the news, San Diego county is > burning, tens of square miles of land with thousands of > buildings lost already and no end in sight. The fires have > been moving towards Rocky's home from what I can tell. > > Rocky, are you still at home and how are you doing? I > understand Rancho Santa Fe is burning and the fire apparently > is just across the freeway from your neighborhood. Is there > anyone else on the list being affected by this fire? > > Let's keep these people in our prayers folks, they need more > than firefighters to put this thing out. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release > Date: 10/22/2007 7:57 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release > Date: 10/24/2007 2:31 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From greg at worthey.com Thu Oct 25 12:45:21 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 10:45:21 -0700 Subject: [AccessD] Intelligence subjugated to database computations In-Reply-To: References: Message-ID: <00d001c8172e$d18b4940$1901a8c0@wsp21> John, Truly, your intellect is dizzying. Full of worst-possible assumptions, reality aside. Please know that you're well in the majority. "There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc." That's how it should be, yes. But alas your faith is unrequited. Five days later, emergency officials still profess shocking ignorance, without challenge/question. Shockingly understaffed firefighters. No water drops. Most people are too in awe to question anything. Don't worry, your wild worst-case imaginings and blind faith is fully in the majority. "How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke?" Well, I said five died, not 8, but they had been indoors with filtered air, before the experts upheaved them. The damage overall is very scattered, and very slight compared to the panic. "And precisely right, why not 10 million or 100 million? ... How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out?" Yeah, perhaps the whole western seaboard should evac, weeks instead of days in advance, just in case. Airlift to Hawaii! (There were no traffic jams.) You are normally level-headed, I assume. "And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away?" People used to be entrusted with judgment; responsible for their own lives. And people have cars--this is not a flood or a tornado, it's just fire. Moves slow. Look at the map. Please don't panic John, everything will be ok. "Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks." Uh, yeah. Let's lock them inside, and order them not to evacuate. It's strange how the reactionary panic is supported from so far away, even when you have less info than we do. Anyone is free to leave whenever they want; the question is the necessity of forcing people and striking needless fear and hardship. Reality is, the danger was relatively small and scant compared to the evac. Believe me, there's no shortage of wild imaginations. Fox & friends even suggested alqueda was responsible! "I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? ... "idiot decision"..." You used the word idiots, not me. Why are you quoting things I didn't say? You seem very panicked. "I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions." I didn't ridicule. I criticized, and rationally. You are ridiculing. It's really scary how these sorts of things invoke blind faith in random unknown officials, and delete the ability for rational conversation. Really, you're not alone John. I just hope people can regain some common sense before the next round of fires... or the next duct-tape frenzy... A database is not the solution for everything. Greg From jwcolby at colbyconsulting.com Thu Oct 25 12:53:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 13:53:10 -0400 Subject: [AccessD] Intelligence subjugated to database computations In-Reply-To: <00d001c8172e$d18b4940$1901a8c0@wsp21> References: <00d001c8172e$d18b4940$1901a8c0@wsp21> Message-ID: <00be01c8172f$e8e9b030$697aa8c0@M90> ROTFL, indeed it is. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 1:45 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Intelligence subjugated to database computations John, Truly, your intellect is dizzying. Full of worst-possible assumptions, reality aside. Please know that you're well in the majority. "There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc." That's how it should be, yes. But alas your faith is unrequited. Five days later, emergency officials still profess shocking ignorance, without challenge/question. Shockingly understaffed firefighters. No water drops. Most people are too in awe to question anything. Don't worry, your wild worst-case imaginings and blind faith is fully in the majority. "How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke?" Well, I said five died, not 8, but they had been indoors with filtered air, before the experts upheaved them. The damage overall is very scattered, and very slight compared to the panic. "And precisely right, why not 10 million or 100 million? ... How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out?" Yeah, perhaps the whole western seaboard should evac, weeks instead of days in advance, just in case. Airlift to Hawaii! (There were no traffic jams.) You are normally level-headed, I assume. "And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away?" People used to be entrusted with judgment; responsible for their own lives. And people have cars--this is not a flood or a tornado, it's just fire. Moves slow. Look at the map. Please don't panic John, everything will be ok. "Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks." Uh, yeah. Let's lock them inside, and order them not to evacuate. It's strange how the reactionary panic is supported from so far away, even when you have less info than we do. Anyone is free to leave whenever they want; the question is the necessity of forcing people and striking needless fear and hardship. Reality is, the danger was relatively small and scant compared to the evac. Believe me, there's no shortage of wild imaginations. Fox & friends even suggested alqueda was responsible! "I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? ... "idiot decision"..." You used the word idiots, not me. Why are you quoting things I didn't say? You seem very panicked. "I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions." I didn't ridicule. I criticized, and rationally. You are ridiculing. It's really scary how these sorts of things invoke blind faith in random unknown officials, and delete the ability for rational conversation. Really, you're not alone John. I just hope people can regain some common sense before the next round of fires... or the next duct-tape frenzy... A database is not the solution for everything. Greg -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From carbonnb at gmail.com Thu Oct 25 13:17:47 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 25 Oct 2007 14:17:47 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: On 10/25/07, Charlotte Foust wrote: > You're entitled to your opinions, but the Santa Anas made water drops > impossible a good portion of the time. Please don't keep THIS fire > burning! ;0} No worries. This thread is now dead. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From carbonnb at gmail.com Thu Oct 25 13:30:58 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 25 Oct 2007 14:30:58 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <000001c8172e$769a0940$8b408552@minster33c3r25> References: <005001c8171f$7b3efe10$0301a8c0@HAL9005> <000001c8172e$769a0940$8b408552@minster33c3r25> Message-ID: On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to hear > you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Thu Oct 25 13:38:23 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 14:38:23 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: References: <005001c8171f$7b3efe10$0301a8c0@HAL9005><000001c8172e$769a0940$8b408552@minster33c3r25> Message-ID: <00c701c81736$3a0fb580$697aa8c0@M90> Now c'mon Bryan, where would the list be without my dizzying intellect (completely void of any grip on reality) and humble opinions full of worst case assumptions? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Thursday, October 25, 2007 2:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to > hear you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 13:43:14 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 11:43:14 -0700 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <00c701c81736$3a0fb580$697aa8c0@M90> References: <005001c8171f$7b3efe10$0301a8c0@HAL9005><000001c8172e$769a0940$8b408552@minster33c3r25> <00c701c81736$3a0fb580$697aa8c0@M90> Message-ID: <008601c81736$e72ce0d0$0301a8c0@HAL9005> Dryer, more factual, and much less entertaining. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:38 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires Now c'mon Bryan, where would the list be without my dizzying intellect (completely void of any grip on reality) and humble opinions full of worst case assumptions? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Thursday, October 25, 2007 2:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to > hear you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From DWUTKA at Marlow.com Thu Oct 25 14:26:19 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 25 Oct 2007 14:26:19 -0500 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: Something else to keep in mind. If you are working directly with the data, you could be locking it up. That is why my apps pull the data into classes. It only touches the data when necessary, everything else is done through the data stored within classes and collections. (and be sure to only use the locks necessary, ie, if you aren't going to change the data, keep it read only) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 10:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Jim.Hale at FleetPride.com Thu Oct 25 14:55:09 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 14:55:09 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: Good stuff, thanks Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 25, 2007 2:26 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Something else to keep in mind. If you are working directly with the data, you could be locking it up. That is why my apps pull the data into classes. It only touches the data when necessary, everything else is done through the data stored within classes and collections. (and be sure to only use the locks necessary, ie, if you aren't going to change the data, keep it read only) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 10:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From fuller.artful at gmail.com Thu Oct 25 21:46:45 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Thu, 25 Oct 2007 22:46:45 -0400 Subject: [AccessD] Two Questions and a Joke Message-ID: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> 1. What's a legal alien? 2. When someone says I slept like a baby, do they mean waking up every two hours screaming, with a full diaper? Three statisticians went duck hunting. The first one shot 5 feet too high. The second one shot 5 feet too low. The third one said, "We got him!" Arthur From john at winhaven.net Thu Oct 25 22:28:56 2007 From: john at winhaven.net (John Bartow) Date: Thu, 25 Oct 2007 22:28:56 -0500 Subject: [AccessD] Query oddity Message-ID: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 1. ) This is the SQL for the row source of a ListBox (on screen aid) that basically shows the user a miniature summation of what they have already entered in a time sheet: SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); This works as expected EXCEPT when the date is today. Which, of course, happens to be the most usual case in end user experience. I created a separate, identical query and ran it while using the form to try figure out what is going on. It reacts the same way. The query always works except when the date is today. I hard coded the date into the query with no better results. I'm running on empty - anyone else have an idea? From anitatiedemann at gmail.com Thu Oct 25 22:40:46 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 26 Oct 2007 13:40:46 +1000 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: Perhaps there is time involved. Try formatting the field and the criteria: WHERE Format(TimeDate, "dd-mmm-yyyy") = Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") Anita On 10/26/07, John Bartow wrote: > > I have recently found a couple of issues in an app converted from A97 to > A2k3. The items of questions worked in A97 but fail in A2k3. > > Problem 1. ) > > This is the SQL for the row source of a ListBox (on screen aid) that > basically shows the user a miniature summation of what they have already > entered in a time sheet: > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > tlkActType.fldActTypeCode > FROM tlkProgram RIGHT JOIN (tlkHourType RIGHT JOIN (tlkActType RIGHT JOIN > tblStaffTime ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > tlkProgram.fldProgID = tblStaffTime.fldProgID > WHERE (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > This works as expected EXCEPT when the date is today. Which, of course, > happens to be the most usual case in end user experience. > > I created a separate, identical query and ran it while using the form to > try > figure out what is going on. It reacts the same way. The query always > works > except when the date is today. I hard coded the date into the query with > no > better results. > > I'm running on empty - anyone else have an idea? > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Fri Oct 26 01:10:52 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 07:10:52 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> Message-ID: <000d01c81796$f6fbced0$8b408552@minster33c3r25> Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Arthur Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking > up every two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 > feet too high. The second one shot 5 feet too low. The third > one said, "We got him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From andy at minstersystems.co.uk Fri Oct 26 01:18:51 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 07:18:51 +0100 Subject: [AccessD] Query oddity In-Reply-To: Message-ID: <001801c81798$13abe780$8b408552@minster33c3r25> Hi John I had the same thought as Anita - I'll bet it's the fact that you're storing date AND time. Not sure then though why other dates would work but then we don't know what you know. If it is that though an alternative to Anita's solution is to wrap Int() around the dates. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: 26 October 2007 04:41 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Query oddity > > > Perhaps there is time involved. > > Try formatting the field and the criteria: > WHERE Format(TimeDate, "dd-mmm-yyyy") = > Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") > > Anita > > > > On 10/26/07, John Bartow wrote: > > > > I have recently found a couple of issues in an app > converted from A97 > > to A2k3. The items of questions worked in A97 but fail in A2k3. > > > > Problem 1. ) > > > > This is the SQL for the row source of a ListBox (on screen > aid) that > > basically shows the user a miniature summation of what they have > > already entered in a time sheet: > > > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > > tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType > > RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON > > tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > > tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE > > (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > > > This works as expected EXCEPT when the date is today. Which, of > > course, happens to be the most usual case in end user experience. > > > > I created a separate, identical query and ran it while > using the form > > to try figure out what is going on. It reacts the same way. > The query > > always works > > except when the date is today. I hard coded the date into > the query with > > no > > better results. > > > > I'm running on empty - anyone else have an idea? > > > > > > > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From rockysmolin at bchacc.com Fri Oct 26 01:43:09 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 23:43:09 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <000d01c81796$f6fbced0$8b408552@minster33c3r25> References: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> <000d01c81796$f6fbced0$8b408552@minster33c3r25> Message-ID: <012901c8179b$78eae990$0301a8c0@HAL9005> Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From darren at activebilling.com.au Fri Oct 26 02:13:33 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 26 Oct 2007 17:13:33 +1000 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <012901c8179b$78eae990$0301a8c0@HAL9005> Message-ID: <200710260713.l9Q7DXbw015797@databaseadvisors.com> 3 men walk into a bar Mmm - you'd think one of them would have seen it -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, 26 October 2007 4:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chris.Foote at uk.thalesgroup.com Fri Oct 26 02:23:12 2007 From: Chris.Foote at uk.thalesgroup.com (Foote, Chris) Date: Fri, 26 Oct 2007 08:23:12 +0100 Subject: [AccessD] Two Questions and a Joke Message-ID: <7303A459C921B5499AF732CCEEAD2B7F064D1222@craws161660.int.rdel.co.uk> Or... A blond goes for a job interview. She sits down in front of the interviewer who asks her how old she is. The blond takes a calculator out of her handbag, after a couple of key presses she replies '24. Next, the interviewer asks her how tall she is. This time she removes a tape measure from her bag, stands up, and measures her height, reading the tape she replies '5 ft 4 inches'. The next question is 'what is your name'. The blond sways her head from side to side, humming to herself for 15 seconds and then replies 'Cindy'. Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says the blond, 'I was running through that song in my head'. 'Song?' said the interviewer 'What song?'. 'You know' replies the blond, 'the one that goes "Happy birthday to you, happy birthday to you.......'. (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of hearing statistician) > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey > Sent: Friday, October 26, 2007 7:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Two Questions and a Joke > > > Oh hurrah for some friday humour. Whatever happened to that? How about > > A guy goes to the doctor and says, "Doctor, I think I'm > going deaf." > > The doctor says, "What are the symptoms?" > > The guy says, "They're a disfunctional cartoon family with > yellow heads." > > -- Andy Lacey > http://www.minstersystems.co.uk > From jwcolby at colbyconsulting.com Fri Oct 26 04:39:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 05:39:27 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <200710260713.l9Q7DXbw015797@databaseadvisors.com> References: <012901c8179b$78eae990$0301a8c0@HAL9005> <200710260713.l9Q7DXbw015797@databaseadvisors.com> Message-ID: <000901c817b4$1afefdd0$697aa8c0@M90> Nawww, they just stumbled out of the bar across the street. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Friday, October 26, 2007 3:14 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke 3 men walk into a bar Mmm - you'd think one of them would have seen it -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, 26 October 2007 4:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 26 05:03:20 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 26 Oct 2007 06:03:20 -0400 Subject: [AccessD] Query oddity In-Reply-To: <001801c81798$13abe780$8b408552@minster33c3r25> References: <001801c81798$13abe780$8b408552@minster33c3r25> Message-ID: <29f585dd0710260303i54ec0165s38d85534c8fec8b@mail.gmail.com> I agree. If your form is asking for just the date, then you should revise the code to compare against just the date portion of the SQL column. Here's a function that does this: >code> CREATE FUNCTION [dbo].[JustDate_fn] ( @date datetime ) RETURNS varchar(10) AS BEGIN RETURN ( CONVERT(varchar(10), at date,101) ) END <./code> While I'm at it, here's a function that returns just the time portion of a SQL datetime column: CREATE FUNCTION [dbo].[JustTime_fn] ( @fDate datetime ) RETURNS varchar(10) AS BEGIN RETURN ( CONVERT(varchar(7),right(@fDate,7),101) ) END hth, Arthur On 10/26/07, Andy Lacey wrote: > > Hi John > I had the same thought as Anita - I'll bet it's the fact that you're > storing > date AND time. Not sure then though why other dates would work but then we > don't know what you know. If it is that though an alternative to Anita's > solution is to wrap Int() around the dates. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > > Sent: 26 October 2007 04:41 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Query oddity > > > > > > Perhaps there is time involved. > > > > Try formatting the field and the criteria: > > WHERE Format(TimeDate, "dd-mmm-yyyy") = > > Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") > > > > Anita > > > > > > > > On 10/26/07, John Bartow wrote: > > > > > > I have recently found a couple of issues in an app > > converted from A97 > > > to A2k3. The items of questions worked in A97 but fail in A2k3. > > > > > > Problem 1. ) > > > > > > This is the SQL for the row source of a ListBox (on screen > > aid) that > > > basically shows the user a miniature summation of what they have > > > already entered in a time sheet: > > > > > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > > > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > > > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > > > tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType > > > RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON > > > tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > > > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > > > tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE > > > (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > > > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > > > > > This works as expected EXCEPT when the date is today. Which, of > > > course, happens to be the most usual case in end user experience. > > > > > > I created a separate, identical query and ran it while > > using the form > > > to try figure out what is going on. It reacts the same way. > > The query > > > always works > > > except when the date is today. I hard coded the date into > > the query with > > > no > > > better results. > > > > > > I'm running on empty - anyone else have an idea? > > > > > > > > > > > > > > > > > > -- > > > AccessD mailing list > > > AccessD at databaseadvisors.com > > > http://databaseadvisors.com/mailman/listinfo/accessd > > > Website: http://www.databaseadvisors.com > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From ewaldt at gdls.com Fri Oct 26 06:28:33 2007 From: ewaldt at gdls.com (ewaldt at gdls.com) Date: Fri, 26 Oct 2007 07:28:33 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: Message-ID: I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. From ssharkins at gmail.com Fri Oct 26 07:49:34 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 08:49:34 -0400 Subject: [AccessD] Two Questions and a Joke References: <7303A459C921B5499AF732CCEEAD2B7F064D1222@craws161660.int.rdel.co.uk> Message-ID: <005d01c817ce$c1facc80$4b3a8343@SusanOne> My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer > who asks her how old she is. The blond takes a calculator out of her > handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes a > tape > measure from her bag, stands up, and measures her height, reading the tape > she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head from > side > to side, humming to herself for 15 seconds and then replies 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says the > blond, 'I was running through that song in my head'. 'Song?' said the > interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to you, > happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') > Chris Foote > (Hard of hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How about >> >> A guy goes to the doctor and says, "Doctor, I think I'm >> going deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with >> yellow heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 26 07:50:38 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 08:50:38 -0400 Subject: [AccessD] Eliminating lines of text before importing References: Message-ID: <006001c817ce$d21766f0$4b3a8343@SusanOne> The number of blank lines won't deviate? Susan H. >I have a semicolon-delimited text file coming in from another operating > system. The data I want to import begins on line 66. How can I tell Access > to either delete the first 65 lines before importing the data, or just > start importing on line 66? At this point the user has to delete the first > 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), > and am using VBA, of course. From max.wanadoo at gmail.com Fri Oct 26 07:59:36 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 26 Oct 2007 13:59:36 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <005d01c817ce$c1facc80$4b3a8343@SusanOne> Message-ID: <00b401c817d0$107ad160$8119fea9@LTVM> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer who asks her how old she is. The blond takes a calculator > out of her handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes > a tape measure from her bag, stands up, and measures her height, > reading the tape she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head > from side to side, humming to herself for 15 seconds and then replies > 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says > the blond, 'I was running through that song in my head'. 'Song?' said > the interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to > you, happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of > hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How >> about >> >> A guy goes to the doctor and says, "Doctor, I think I'm going >> deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with yellow >> heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 08:21:47 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 09:21:47 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: Message-ID: <000a01c817d3$2b0c16d0$697aa8c0@M90> I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rusty.hammond at cpiqpc.com Fri Oct 26 09:02:34 2007 From: rusty.hammond at cpiqpc.com (rusty.hammond at cpiqpc.com) Date: Fri, 26 Oct 2007 09:02:34 -0500 Subject: [AccessD] Two Questions and a Joke Message-ID: <8301C8A868251E4C8ECD3D4FFEA40F8A2584BF7B@cpixchng-1.cpiqpc.net> Do you know what a boobee is? It's an insect that hides behinds flowers and scares bees! p.s. I try to get my kids to tell their teachers that joke and none of them will -----Original Message----- From: max.wanadoo at gmail.com [mailto:max.wanadoo at gmail.com] Sent: Friday, October 26, 2007 8:00 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer who asks her how old she is. The blond takes a calculator > out of her handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes > a tape measure from her bag, stands up, and measures her height, > reading the tape she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head > from side to side, humming to herself for 15 seconds and then replies > 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says > the blond, 'I was running through that song in my head'. 'Song?' said > the interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to > you, happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of > hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How >> about >> >> A guy goes to the doctor and says, "Doctor, I think I'm going >> deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with yellow >> heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ********************************************************************** WARNING: All e-mail sent to and from this address will be received, scanned or otherwise recorded by the CPI Qualified Plan Consultants, Inc. corporate e-mail system and is subject to archival, monitoring or review by, and/or disclosure to, someone other than the recipient. ********************************************************************** From shait at stephenhait.com Fri Oct 26 09:04:44 2007 From: shait at stephenhait.com (Stephen Hait) Date: Fri, 26 Oct 2007 10:04:44 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <00b401c817d0$107ad160$8119fea9@LTVM> References: <005d01c817ce$c1facc80$4b3a8343@SusanOne> <00b401c817d0$107ad160$8119fea9@LTVM> Message-ID: A cowboy stopped in a wayside tavern for a beer. When he was ready to move on, his horse was gone. He returned to the tavern and shot a hole in the ceiling and proclaimed his horse had better be there when he finished another beer or he might have to do what he done in Texas -- and he didn't want to have to do what he done in Texas. His horse re-appeared and he climbed on -- but the bartender came out and said he was curious about what he did in Texas. "I had to walk home." Stephen From markamatte at hotmail.com Fri Oct 26 09:11:55 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Fri, 26 Oct 2007 14:11:55 +0000 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: Message-ID: I have a DB that imports a text file where every other line is blank. I just run a delete query AFTER the import...to remove the unwanted rows. Another aproach would be to open the file for input and output and remove lines you don't want. Will the file import without deleting the unwanted rows (as is)? Thanks, Mark A. Matte > To: accessd at databaseadvisors.com> From: ewaldt at gdls.com> Date: Fri, 26 Oct 2007 07:28:33 -0400> Subject: [AccessD] Eliminating lines of text before importing> > I have a semicolon-delimited text file coming in from another operating > system. The data I want to import begins on line 66. How can I tell Access > to either delete the first 65 lines before importing the data, or just > start importing on line 66? At this point the user has to delete the first > 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), > and am using VBA, of course.> > TIA.> > Thomas F. Ewald> Stryker Mass Properties> General Dynamics Land Systems> > > This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated.> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Help yourself to FREE treats served up daily at the Messenger Caf?. Stop by today. http://www.cafemessenger.com/info/info_sweetstuff2.html?ocid=TXT_TAGLM_OctWLtagline From mfisch4 at capex.com.ar Fri Oct 26 09:18:31 2007 From: mfisch4 at capex.com.ar (MF) Date: Fri, 26 Oct 2007 11:18:31 -0300 Subject: [AccessD] No Question and several Jokes In-Reply-To: References: <005d01c817ce$c1facc80$4b3a8343@SusanOne> <00b401c817d0$107ad160$8119fea9@LTVM> Message-ID: <200710261418.l9QEIZg8013008@databaseadvisors.com> Two neighboring farmers cannot stop feuding. One, out hunting, shoots a duck which falls inside the other's field. Climbing over the fence, he is stopped by farmer #2 who claims the duck as his since it ended up in his field. After much arguing farmer #2 states that he is prepared to settle the matter by the Viking method. He explains that the method involves kicking each other in turn between the legs until one gives up, and the other is the winner. Farmer #1 agrees reluctantly. Farmer #2 states that since they are on his land, he goes first. Farmer #1 stands with legs apart and hands on hips while Farmer #2 takes an almighty swing with his foot and sends farmer #1 into the air. After ten minutes writhing on the ground farmer #1 eventually gets to his feet and prepares to take his turn. Farmer #2 turns and walks away saying " O.K. I give in! You keep the duck!" --------------------------------------------------------------------------------------------------------------------------------------- First Kid : "My dad is a doctor." Second kid : "My dad is a lawyer." First kid : "Honest?" Second kid : "No, just regular." --------------------------------------------------------------------------------------------------------------------------------------- What do vampires cross the sea in? Blood vessels! --------------------------------------------------------------------------------------------------------------------------------------- Have you heard about the magic tractor? It turned into a field. --------------------------------------------------------------------------------------------------------------------------------------- Did you hear about the farmer who won an award? He was out standing in his field. --------------------------------------------------------------------------------------------------------------------------------------- Zebidiah Zacariah joined the army, before long there was a call to war and they all lined up to receive their kit. Now because the army did everything in alphabetical order Zebidiah Zacariah was always last in line. Whenhe got to the head of the line for his rifle there were none left so the seargent gave him a broom and said 'point this at the enemy and yell bang bang gun!' Zebidiah wasn't to bright so he accepted his broom with glee. The smae thing happened in the line for grenades and he was given lemons and told 'Hurl these at the enemy yelling Boom Boom grenade and youll be right. He went to war and the battling was fierce, he threw his lemons and bang banged on his gun for all he was worth. Soon he looked around and realized there was only him and a guy from the other side left alive, he pulled out his broom and yelled'Bang Bang Gun!' but the guy kept on coming so he hauled off with his lemons yelling 'Boom Boom grenade! and still the guy kept on coming ...until he was almost right on top of Zebidiah and Zebidiah heard him say " Rumble Rumble Tank!" --------------------------------------------------------------------------------------------------------------------------------------- A man and a woman were dating. She, being from a rather conservative religious background, had held back the worldly pleasures that he wanted from her so bad. In fact, he had never even seen her naked. One day, as they driving down the freeway, she remarked about his slow driving habits. "I can't stand it anymore, " she told him. "Look, let's play a game. For every 5 miles per hour over the speed limit you drive, I'll remove one piece of clothing." He of course enthusiastically agreed and began speeding up the car. He reached the 55 MPH mark, so she took off her blouse. At 60 off came the pants. At 65 it was her bra and at 70 her panties. Now seeing her naked for the first time and traveling faster than he ever had before, the man became very excited and lost control of the car. He sweered off the road, over an embankment, and wrapped the car around a tree. Luckily for her, the girlfriend was thrown clear, but he was trapped inside. She tried mightily to pull him free, but alas he was stuck. "Go to the road and get help, " he said weakly. "I don't have anything to cover myself with, my clothes are all still in the car and I can't reach them! " she replied. The man felt around, but could only reach one of his shoes. "You'll have to put this between your legs to cover it up," he told her. So she did as he said and went up to the road for help. Along came a truck driver behind an 18-wheeler. Seeing a naked, crying woman along the road, he naturally pulled over to hear her story. "My boyfriend! My boyfriend! " she sobed, "He's stuck and I can't pull him out!" The truck driver looking down at the shoe between her legs replies, "Ma'am, if he's in that far, I'm afraid he's a goner! --------------------------------------------------------------------------------------------------------------------------------------- Q. What do you get if you drop a piano down a mine shaft? A. A flat minor. --------------------------------------------------------------------------------------------------------------------------------------- When Laura was three months pregnant she fell into a deep coma. Six months later, she awoke and asked the nearest doctor about the fate of her baby. "You had twins, a boy and a girl, and they are both fine," the doctor told her. "Luckily, your brother named them for you." "Oh no, not by brother! He's an idiot! What did he call the girl?" "Denise," the doctor replied. Thinking that isn't so bad, she asked, "And what did he call the boy?" The doctor answered, "Denephew." --------------------------------------------------------------------------------------------------------------------------------------- Teacher: "What is the outermost part of the tree trunk called?" Student: "I don't know, sir." Teacher: "Bark, boy, bark." Student: "Woof ? Woof!" -------------------------------------------------------------------------- From Gustav at cactus.dk Fri Oct 26 09:31:49 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 26 Oct 2007 16:31:49 +0200 Subject: [AccessD] Two Questions and a Joke Message-ID: Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. From Patricia.O'Connor at otda.state.ny.us Fri Oct 26 09:37:45 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 26 Oct 2007 10:37:45 -0400 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB08C@EXCNYSM0A1AI.nysemail.nyenet> The problem is if the table date is a full date with time. If you try the exact date you will either lose all those dates or 1/2 depending on when the time occurs. I ran into this against an ORACLE db. You can do two things 1) This is what I generally use in both straight access to oracle and passthrus. It works and saves me pain * select where the date is one day prior and after Where (Tbldt > #03/02/2007# and TblDt < #03/04/2007# ) WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] AND (tblStaffTime.fldTimeDate > ([Forms]![frmEnterTime]![txtTimeDate] -1) and tblStaffTime.fldTimeDate < ([Forms]![frmEnterTime]![txtTimeDate] + 1; 2) use this function FormatDateTime - I tried it against an Access table and it worked * add an extra column to your query gui without show checked * In the field portion put FormatDateTime(fldTimeDate, 2) * In the criteria put = [Forms]![frmEnterTime]![txtTimeDate] * Actual sql should look like * WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] AND (FormatDateTime(tblStaffTime.fldTimeDate,2) = ([Forms]![frmEnterTime]![txtTimeDate]) HTH Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Thursday, October 25, 2007 11:29 PM > To: _DBA-Access > Subject: [AccessD] Query oddity > > I have recently found a couple of issues in an app converted > from A97 to A2k3. The items of questions worked in A97 but > fail in A2k3. > > Problem 1. ) > > This is the SQL for the row source of a ListBox (on screen > aid) that basically shows the user a miniature summation of > what they have already entered in a time sheet: > > SELECT tblStaffTime.fldTimeID, > tblStaffTime.fldStfID, > tblStaffTime.fldTimeDate, > tblStaffTime.fldTimeHours AS Hours, > tlkHourType.fldHrsType AS [Type of Hours], > tlkProgram.fldProgName, > tlkActType.fldActTypeCode > FROM tlkProgram RIGHT JOIN (tlkHourType > RIGHT JOIN (tlkActType > RIGHT JOIN tblStaffTime > ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) > ON tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) > ON tlkProgram.fldProgID = tblStaffTime.fldProgID > WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] > AND tblStaffTime.fldTimeDate =[Forms]![frmEnterTime]![txtTimeDate] ; > > This works as expected EXCEPT when the date is today. Which, > of course, happens to be the most usual case in end user experience. > > I created a separate, identical query and ran it while using > the form to try figure out what is going on. It reacts the > same way. The query always works except when the date is > today. I hard coded the date into the query with no better results. > > I'm running on empty - anyone else have an idea? > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From rockysmolin at bchacc.com Fri Oct 26 09:46:25 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Fri, 26 Oct 2007 07:46:25 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <001501c817de$fc4332a0$0301a8c0@HAL9005> The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From rockysmolin at bchacc.com Fri Oct 26 10:08:39 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Fri, 26 Oct 2007 08:08:39 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001501c817de$fc4332a0$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> Message-ID: <002f01c817e2$17909c20$0301a8c0@HAL9005> That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From jwcolby at colbyconsulting.com Fri Oct 26 10:15:06 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 11:15:06 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001501c817de$fc4332a0$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> Message-ID: <001f01c817e2$fe3764b0$697aa8c0@M90> I got all choked up and I threw down my gun And I called him my paw and he called me his son And I come away with a different point of view Well I think about him every now n then Every time I try n every time I win And if I ever have a boy, I think I'll call him... Bill or George... ANYTHING but Sue Some country legend or another -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 10:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky From cfoust at infostatsystems.com Fri Oct 26 10:17:35 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 26 Oct 2007 08:17:35 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002f01c817e2$17909c20$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> <002f01c817e2$17909c20$0301a8c0@HAL9005> Message-ID: >>(darn spell chequer) LOL Charlotte -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 8:09 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky From jwcolby at colbyconsulting.com Fri Oct 26 10:21:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 11:21:14 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002f01c817e2$17909c20$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> <002f01c817e2$17909c20$0301a8c0@HAL9005> Message-ID: <002b01c817e3$d9d4dc00$697aa8c0@M90> There aint enough room in this here email for three legs... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 11:09 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From reuben at gfconsultants.com Fri Oct 26 10:27:58 2007 From: reuben at gfconsultants.com (Reuben Cummings) Date: Fri, 26 Oct 2007 11:27:58 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <8301C8A868251E4C8ECD3D4FFEA40F8A2584BF7B@cpixchng-1.cpiqpc.net> Message-ID: I tried to get my son to tell a slightly different version... What did the ghost say to the bee? Boobee. I chuckle just writing it. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > rusty.hammond at cpiqpc.com > Sent: Friday, October 26, 2007 10:03 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > > Do you know what a boobee is? > > It's an insect that hides behinds flowers and scares bees! > > > p.s. I try to get my kids to tell their teachers that joke and > none of them > will From max.wanadoo at gmail.com Fri Oct 26 11:45:45 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 26 Oct 2007 17:45:45 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: <014201c817ef$a8779150$8119fea9@LTVM> This could work. An older, white haired man walked into a jewelry store one Friday evening with a beautiful young gal at his side. He told the jeweler he was looking for a special ring for his girlfriend. The jeweler looked through his stock and brought out a $5,000 ring. The old man said, "No, I'd like to see something more special." At that statement, the jeweler went to his special stock and brought another ring over. "Here's a stunning ring at only $40,000" the jeweler said. The young lady's eyes sparkled and her whole body trembled with excitement. The old man seeing this said, "We'll take it." The jeweler asked how payment would be made and the old man stated,"by check. I know you need to make sure my check is good, so I'll write it now and you can call the bank on Monday to verify the funds and I'll pick the ring up on Monday afternoon," he said. On Monday morning, the jeweler phoned the old man. "There's no money in that account." "I know," said the old man, "But let me tell you about my weekend! Don't mess with Old People. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 3:32 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 26 12:54:14 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 26 Oct 2007 12:54:14 -0500 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: Keep trying until its tomorrow? Sorry I couldn't resist :-) Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From ssharkins at gmail.com Fri Oct 26 13:34:09 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 14:34:09 -0400 Subject: [AccessD] ERP experts for writing job Message-ID: <005301c817fe$ce867730$4b3a8343@SusanOne> http://seeker.dice.com/jobsearch/servlet/JobSearch?op=302&dockey=xml/4/5/453382e3bcb86b1b72a7cdf457de1b49 at endecaindex&source=19&FREE_TEXT=writer ====I know some of you are experts in this area. Susan H. From DWUTKA at Marlow.com Fri Oct 26 13:54:33 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:54:33 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: Ya know, there are 10 types of people in this world. Those who understand binary, and those who don't. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 9:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 13:57:20 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:57:20 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002b01c817e3$d9d4dc00$697aa8c0@M90> Message-ID: A hydrogen atom walks into a bar: Hydrogen Atom:"I think I lost my electron in here." Bartender:"Are you sure?" Hydrogen Atom:"I'm positive!" ;) Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 13:57:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:57:57 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: My daughters first joke was why did the dog drink water? He didn't want to become a hot dog. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings Sent: Friday, October 26, 2007 10:28 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke I tried to get my son to tell a slightly different version... What did the ghost say to the bee? Boobee. I chuckle just writing it. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > rusty.hammond at cpiqpc.com > Sent: Friday, October 26, 2007 10:03 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > > Do you know what a boobee is? > > It's an insect that hides behinds flowers and scares bees! > > > p.s. I try to get my kids to tell their teachers that joke and > none of them > will -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 14:02:40 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 14:02:40 -0500 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: <000a01c817d3$2b0c16d0$697aa8c0@M90> Message-ID: Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Fri Oct 26 14:04:13 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 15:04:13 -0400 Subject: [AccessD] Two Questions and a Joke References: Message-ID: <008401c81803$01eeb9d0$4b3a8343@SusanOne> You are SO 0 1 Susan H. > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > From DWUTKA at Marlow.com Fri Oct 26 14:20:54 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 14:20:54 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <008401c81803$01eeb9d0$4b3a8343@SusanOne> Message-ID: Chr(84) Chr(104) Chr(97) Chr(110) Chr(107) Chr(115) Chr(68) Chr(114) Chr(101) Chr(119) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 2:04 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke You are SO 0 1 Susan H. > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From john at winhaven.net Fri Oct 26 14:22:32 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:22:32 -0500 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01fa01c81805$8eb3f2c0$6402a8c0@ScuzzPaq> Thanks to all who responded. The DateTime field was the issue and formatting it for date only resolved the issue. Now, why did this work as originally written in A97. From john at winhaven.net Fri Oct 26 14:26:42 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:26:42 -0500 Subject: [AccessD] Query oddity In-Reply-To: References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01fb01c81806$23be17b0$6402a8c0@ScuzzPaq> Jim, This will be my initial response to the customer :o))) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Keep trying until its tomorrow? Sorry I couldn't resist :-) Jim Hale From john at winhaven.net Fri Oct 26 14:37:52 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:37:52 -0500 Subject: [AccessD] SQL between Message-ID: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 2. ) (Well, I guess this is more of a heads up.) SQL between is not inclusive. So now I have to do a between DATE1 -1 and between DATE2 +1 BTW I've always though it odd that it was inclusive but it seems to be many of the SQL products but not in others. Standards!? From ssharkins at gmail.com Fri Oct 26 14:42:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 15:42:06 -0400 Subject: [AccessD] Two Questions and a Joke References: Message-ID: <00da01c81808$4d01d5b0$4b3a8343@SusanOne> There goes that accent again... Susan H. > Chr(84) Chr(104) Chr(97) Chr(110) Chr(107) Chr(115) > > Chr(68) Chr(114) Chr(101) Chr(119) From markamatte at hotmail.com Fri Oct 26 15:12:17 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Fri, 26 Oct 2007 20:12:17 +0000 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: Someone mentioned this to me yesterday...but it was about A2K2. I tested on a number field and it WAS inclusive. Is it related to dates?...or what are the circumstances? Thanks, Mark A. Matte > From: john at winhaven.net> To: AccessD at databaseadvisors.com> Date: Fri, 26 Oct 2007 14:37:52 -0500> Subject: [AccessD] SQL between> > I have recently found a couple of issues in an app converted from A97 to> A2k3. The items of questions worked in A97 but fail in A2k3.> > Problem 2. )> > (Well, I guess this is more of a heads up.)> > SQL between is not inclusive. So now I have to do a between DATE1 -1 and> between DATE2 +1> > > > BTW I've always though it odd that it was inclusive but it seems to be many> of the SQL products but not in others. Standards!?> > > > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Climb to the top of the charts!? Play Star Shuffle:? the word scramble challenge with star power. http://club.live.com/star_shuffle.aspx?icid=starshuffle_wlmailtextlink_oct From miscellany at mvps.org Fri Oct 26 15:17:06 2007 From: miscellany at mvps.org (Steve Schapel) Date: Sat, 27 Oct 2007 09:17:06 +1300 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <47224B42.8030908@mvps.org> John, Can you say more about the context in which you are seeing this problem. As far as I know, there has been no change in the behaviour of Between...And in Access 2003, and it certainly is inclusive for me, in query criteria, and in SQL strings constructed in VBA. Regards Steve John Bartow wrote: > I have recently found a couple of issues in an app converted from A97 to > A2k3. The items of questions worked in A97 but fail in A2k3. > > Problem 2. ) > > (Well, I guess this is more of a heads up.) > > SQL between is not inclusive. So now I have to do a between DATE1 -1 and > between DATE2 +1 > > > > BTW I've always though it odd that it was inclusive but it seems to be many > of the SQL products but not in others. Standards!? > > > From Lambert.Heenan at AIG.com Fri Oct 26 15:58:13 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Fri, 26 Oct 2007 16:58:13 -0400 Subject: [AccessD] SQL between Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7206@XLIVMBX35bkup.aig.com> Between #10/29/2002# And #11/12/2002# will return different results depending on whether the underlying field in the table has a time value or not. If it does not have a time value, then all date values are implicitly some date at 12 midnight. So Between #10/29/2002# And #11/12/2002# will return all the records that have a date of 10/29/2002 to 11/12/2002 inclusive. However, if the date field does store a time value as well, explicitly, then the exact same criterion Between #10/29/2002# And #11/12/2002# has a different effect. If will return all records where the date field is 10/29/2002 (at any time of the day, as we implicitly have asked to start at midnight) up to 11/11/2002, plus any records which just happen to have a date value of 11/12/2002 00:00:00 AM. In other words, just any amount of time after midnight on 11/12/2002 is sufficient to exclude a record from the results. So Between is , and always has been inclusive, but it always uses the time part of date fields, which is what trips some people up occasionally. :-) Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Friday, October 26, 2007 3:38 PM To: _DBA-Access Subject: [AccessD] SQL between I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 2. ) (Well, I guess this is more of a heads up.) SQL between is not inclusive. So now I have to do a between DATE1 -1 and between DATE2 +1 BTW I've always though it odd that it was inclusive but it seems to be many of the SQL products but not in others. Standards!? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Fri Oct 26 16:25:05 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 26 Oct 2007 17:25:05 -0400 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB094@EXCNYSM0A1AI.nysemail.nyenet> I stopped using the BETWEEN in all my queries using dates about 7 years ago. Doesn't matter to me what database ORACLE, MS SQL, SYBASE, ACCESS, ETC.. It is safer and more accurate to use. This way I also don't mess up going from one to another. As I said in the query problem before it has to do with a date having date/time. A certain "time" during the day will not get selected when just using a plain date in the where statement. WHERE tbldate > day_before_start_dt and tbldate < day_after_End_date Where tbledate > '31-AUG-2005' and tbldate < '01-OCT-2005' What fun Have a great weekend Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Friday, October 26, 2007 03:38 PM > To: _DBA-Access > Subject: [AccessD] SQL between > > I have recently found a couple of issues in an app converted > from A97 to A2k3. The items of questions worked in A97 but > fail in A2k3. > > Problem 2. ) > > (Well, I guess this is more of a heads up.) > > SQL between is not inclusive. So now I have to do a between > DATE1 -1 and between DATE2 +1 > > > > BTW I've always though it odd that it was inclusive but it > seems to be many of the SQL products but not in others. Standards!? > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From robert at webedb.com Fri Oct 26 16:28:11 2007 From: robert at webedb.com (Robert L. Stewart) Date: Fri, 26 Oct 2007 16:28:11 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <200710262134.l9QLYcjl000759@databaseadvisors.com> At 05:03 AM 10/26/2007, you wrote: >Date: Thu, 25 Oct 2007 22:46:45 -0400 >From: "Arthur Fuller" >Subject: [AccessD] Two Questions and a Joke >To: "Access Developers discussion and problem solving" > >Message-ID: > <29f585dd0710251946h7d0c51c9v5472f2d8990c2989 at mail.gmail.com> >Content-Type: text/plain; charset=ISO-8859-1 > >1. What's a legal alien? My wife and daughter. Here in the USA from Russia on a US visa. Legal, but alien to the USA. >2. When someone says I slept like a baby, do they mean waking up every two >hours screaming, with a full diaper? or Sleep like the dead, not breathing, cold and starting to decay???? >Three statisticians went duck hunting. The first one shot 5 feet too high. >The second one shot 5 feet too low. The third one said, "We got him!" Sounds like an Aggie joke. :-) >Arthur From Jim.Hale at FleetPride.com Fri Oct 26 16:59:29 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 26 Oct 2007 16:59:29 -0500 Subject: [AccessD] OT: one last Friday Humor Message-ID: One more for the road........ Ed was in trouble. He forgot his wedding anniversary. His wife was really angry. She told him "Tomorrow morning, I expect to find a gift in the driveway that goes from 0 to 200 in less than 6 seconds AND IT BETTER BE THERE!" The next morning Ed got up early and left for work. When his wife woke up she looked out the window and sure enough there was a box gift-wrapped in the middle of the driveway. Confused, the wife put on her robe and ran out to the driveway, and brought the box back in the house. She opened it and found a brand new bathroom scale. Ed has been missing since Friday. Please pray for him. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From andy at minstersystems.co.uk Fri Oct 26 17:18:12 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 23:18:12 +0100 Subject: [AccessD] OT: one last Friday Humor In-Reply-To: Message-ID: <008001c8181e$1bc63840$8b408552@minster33c3r25> You're a brave man, Jim -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim > Sent: 26 October 2007 22:59 > To: accessd at databaseadvisors.com > Subject: [AccessD] OT: one last Friday Humor > > > > One more for the road........ > > Ed was in trouble. He forgot his wedding anniversary. His > wife was really > angry. She told him "Tomorrow morning, I expect to find a > gift in the driveway > that goes from 0 to 200 in less than 6 seconds AND IT BETTER > BE THERE!" > > The next morning Ed got up early and left for work. When his > wife woke up she > looked out the window and sure enough there was a box > gift-wrapped in the middle > of the driveway. Confused, the wife put on her robe and ran > out to the > driveway, and brought the box back in the house. > > She opened it and found a brand new bathroom scale. > Ed has been missing since Friday. Please pray for him. > > > > ************************************************************** > ********* > The information transmitted is intended solely for the > individual or entity to which it is addressed and may contain > confidential and/or privileged material. Any review, > retransmission, dissemination or other use of or taking > action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. If > you have received this email in error please contact the > sender and delete the material from any computer. As a > recipient of this email, you are responsible for screening > its contents and the contents of any attachments for the > presence of viruses. No liability is accepted for any damages > caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From john at winhaven.net Fri Oct 26 17:23:12 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 17:23:12 -0500 Subject: [AccessD] OT: one last Friday Humor In-Reply-To: References: Message-ID: <023501c8181e$ccc97760$6402a8c0@ScuzzPaq> LOL! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim One more for the road........ Ed was in trouble. He forgot his wedding anniversary. His wife was really angry. She told him "Tomorrow morning, I expect to find a gift in the driveway that goes from 0 to 200 in less than 6 seconds AND IT BETTER BE THERE!" The next morning Ed got up early and left for work. When his wife woke up she looked out the window and sure enough there was a box gift-wrapped in the middle of the driveway. Confused, the wife put on her robe and ran out to the driveway, and brought the box back in the house. She opened it and found a brand new bathroom scale. Ed has been missing since Friday. Please pray for him. From john at winhaven.net Fri Oct 26 17:23:12 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 17:23:12 -0500 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <023201c8181e$cc0abb40$6402a8c0@ScuzzPaq> Thanks for the responses to this. I had actually composed this at the same time as the Query Oddity message. I believe it probably is a DateTime type issue again. I'm now going through all DateTime related items and making sure they reference the new functions I added which eliminates this issue. I'll review the rest of my messages concerning my newly found issues before sending them to the list. Sorry for the confusion. From jwcolby at colbyconsulting.com Fri Oct 26 18:12:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 19:12:50 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <001101c81825$bb8d8610$647aa8c0@M90> Actually the two types of people are those who divide people into two types, and those that don't... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 2:55 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke Ya know, there are 10 types of people in this world. Those who understand binary, and those who don't. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 9:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Fri Oct 26 19:34:35 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 26 Oct 2007 20:34:35 -0400 Subject: [AccessD] Two Questions and a Joke References: <001101c81825$bb8d8610$647aa8c0@M90> Message-ID: <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 20:16:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 21:16:10 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> References: <001101c81825$bb8d8610$647aa8c0@M90> <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> Message-ID: <001901c81836$f5e7aa00$647aa8c0@M90> ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 20:19:04 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 21:19:04 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: <000a01c817d3$2b0c16d0$697aa8c0@M90> Message-ID: <001a01c81837$5e047f00$647aa8c0@M90> LOL, what did you gain with that? I can (and do) open files of 10 gigabytes with my method. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 3:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Eliminating lines of text before importing Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 26 20:24:22 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 21:24:22 -0400 Subject: [AccessD] Two Questions and a Joke References: <001101c81825$bb8d8610$647aa8c0@M90><004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: <00a701c81838$29ef1a30$4b3a8343@SusanOne> Dim c As Colbized Susan H. > ;-) In a class by myself, dizzying intellect and all. \ From DWUTKA at Marlow.com Sun Oct 28 18:45:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Sun, 28 Oct 2007 18:45:57 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: Don't you mean fizzling, not dizzying? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Sun Oct 28 18:46:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Sun, 28 Oct 2007 18:46:43 -0500 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: <001a01c81837$5e047f00$647aa8c0@M90> Message-ID: I know, just seems ugly... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:19 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing LOL, what did you gain with that? I can (and do) open files of 10 gigabytes with my method. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 3:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Eliminating lines of text before importing Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Sun Oct 28 19:43:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 28 Oct 2007 20:43:53 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: <006101c819c4$ca99f170$647aa8c0@M90> LOL, I didn't say it. Just quoting my admirers. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Sunday, October 28, 2007 7:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke Don't you mean fizzling, not dizzying? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com From rockysmolin at bchacc.com Sun Oct 28 22:53:17 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 28 Oct 2007 20:53:17 -0700 Subject: [AccessD] ERP experts for writing job In-Reply-To: <005301c817fe$ce867730$4b3a8343@SusanOne> References: <005301c817fe$ce867730$4b3a8343@SusanOne> Message-ID: <007301c819df$3d8580e0$0301a8c0@HAL9005> Thanks for the heads up. Looks like you have to be an Edwards user to qualify but I sent them my c.v. anyway. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 11:34 AM To: AccessD at databaseadvisors.com Subject: [AccessD] ERP experts for writing job http://seeker.dice.com/jobsearch/servlet/JobSearch?op=302&dockey=xml/4/5/453 382e3bcb86b1b72a7cdf457de1b49 at endecaindex&source=19&FREE_TEXT=writer ====I know some of you are experts in this area. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From ewaldt at gdls.com Mon Oct 29 05:31:22 2007 From: ewaldt at gdls.com (ewaldt at gdls.com) Date: Mon, 29 Oct 2007 06:31:22 -0400 Subject: [AccessD] Subject: Re: Eliminating lines of text before importing In-Reply-To: Message-ID: Mark: I experimented with this after I posted the message, before receiving any answers, and ended up importing and then running a delete query (with null for the blank lines, and also deleting some other unwanted lines - e.g., totals - that I didn't want to import). I had thought Access would mess up the import, since a blank line has no fields (duh), but I created an import spec and had Access use that, and it did just fine. I'd still like to learn how to do it the other way, though, just for my own knowledge's sake. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems Message: 8 Date: Fri, 26 Oct 2007 14:11:55 +0000 From: Mark A Matte Subject: Re: [AccessD] Eliminating lines of text before importing To: Access Developers discussion and problem solving Message-ID: Content-Type: text/plain; charset="iso-8859-1" I have a DB that imports a text file where every other line is blank. I just run a delete query AFTER the import...to remove the unwanted rows. This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. From fuller.artful at gmail.com Mon Oct 29 06:25:48 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 07:25:48 -0400 Subject: [AccessD] Relative path for images Message-ID: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur From Chris.Foote at uk.thalesgroup.com Mon Oct 29 06:45:59 2007 From: Chris.Foote at uk.thalesgroup.com (Foote, Chris) Date: Mon, 29 Oct 2007 11:45:59 -0000 Subject: [AccessD] Relative path for images Message-ID: <7303A459C921B5499AF732CCEEAD2B7F064D1226@craws161660.int.rdel.co.uk> Hi Arthur! Depending upon Operating System you may find you'll have to use forward slashes "/" rather than back slashes "\". I've had all sorts of games with this on HTML docs on Apache servers. HTH! Chris Foote > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > Arthur Fuller > Sent: Monday, October 29, 2007 11:26 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Relative path for images > > > Within my app's directory is a directory called Images, which > stores (gasp) > images used by the app, such as logos. I'd like to make the > references to > this directory relative to the home directory but I can't > make it work. I've > tried various syntaxes without success (i.e. "Images\logo.jpg" and > "..\Images\logo.jpg"). Is there a way to do this? > > > TIA > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jwcolby at colbyconsulting.com Mon Oct 29 07:01:26 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 08:01:26 -0400 Subject: [AccessD] Relative path for images In-Reply-To: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> Message-ID: <001401c81a23$6f5d4460$647aa8c0@M90> currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 07:15:49 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 08:15:49 -0400 Subject: [AccessD] Relative path for images In-Reply-To: <001401c81a23$6f5d4460$647aa8c0@M90> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> <001401c81a23$6f5d4460$647aa8c0@M90> Message-ID: <001501c81a25$71dd2690$647aa8c0@M90> Sorry Arthur, that should have been currentproject.Path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Mon Oct 29 08:30:19 2007 From: JHewson at karta.com (Jim Hewson) Date: Mon, 29 Oct 2007 08:30:19 -0500 Subject: [AccessD] Relative path for images In-Reply-To: <001501c81a25$71dd2690$647aa8c0@M90> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com><001401c81a23$6f5d4460$647aa8c0@M90> <001501c81a25$71dd2690$647aa8c0@M90> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0BFCEC@karta-exc-int.Karta.com> I take this one step further. I store the name of the image file in a table. That way I don't have to worry about changing the code to replace the image - all I do is change the field in the table. I use: Images.Picture = Application.CurrentProject.Path & "\images\" & GraphicFile Images is the name of the image container. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images Sorry Arthur, that should have been currentproject.Path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 09:16:08 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 10:16:08 -0400 Subject: [AccessD] "Not In" query speed Message-ID: <002101c81a36$40a60f40$647aa8c0@M90> Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com From Jim.Hale at FleetPride.com Mon Oct 29 09:33:09 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Mon, 29 Oct 2007 09:33:09 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001901c81836$f5e7aa00$647aa8c0@M90> References: <001101c81825$bb8d8610$647aa8c0@M90><004401c81831$2 71ac8b0$6b706c4c@jisshowsbs.local> <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Gustav at cactus.dk Mon Oct 29 09:39:28 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 15:39:28 +0100 Subject: [AccessD] Relative path for images Message-ID: Hi Arthur It could be: ".\Images\logo.jpg" Same goes for the icon file of the app: ".\appicon.ico" /gustav >>> fuller.artful at gmail.com 29-10-2007 12:25 >>> Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur From Jim.Hale at FleetPride.com Mon Oct 29 09:54:03 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Mon, 29 Oct 2007 09:54:03 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: I finally was able to check the DB this weekend. It was set to shared mode. Good thought though, thanks Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe O'Connell Sent: Thursday, October 25, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Jim, Is the database opened in shared or exclusive mode? Be sure that it is shared. From the database window, click on Options then select the Advanced tab. The Default Open Mode should be set to Shared. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 3:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From cfoust at infostatsystems.com Mon Oct 29 09:59:09 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 29 Oct 2007 07:59:09 -0700 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: The only information I have is logic and a long ago session with a SQL guru. NOT IN will always be slower because it has to examine ever record in the dataset to return a value. IN is faster because it only needs to examine records until it finds a match. Of course, if the match is in the last record, then there's no difference in speed. LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 29 10:02:18 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:02:18 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <29f585dd0710290802o4217fe07ie71889e8c6516201@mail.gmail.com> If the column being searched for matches is indexed, then SQL builds a "table" in memory from your IN() clause. If the column is not indexed, SQL has no choice but to do a full table scan. A. On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? That > is > where an outer join to a table is used and then a filter set on the PK (or > any field really) of the outer joined table to discover all records "not > in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number > of records in tblClaim) and that each ClaimID is only in tblClaimLogged > one > time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of the > records in tblClaim are in tblClaimLogged, and each record can only be in > there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Mon Oct 29 10:04:37 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:04:37 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> I clicked Send too quickly. I didn't realize that you wanted so many records in your NOT IN() clause. For that many rows, I would do the join instead. Arthur On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? That > is > where an outer join to a table is used and then a filter set on the PK (or > any field really) of the outer joined table to discover all records "not > in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number > of records in tblClaim) and that each ClaimID is only in tblClaimLogged > one > time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of the > records in tblClaim are in tblClaimLogged, and each record can only be in > there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Mon Oct 29 10:17:46 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:17:46 -0400 Subject: [AccessD] Relative path for images In-Reply-To: References: Message-ID: <29f585dd0710290817h16d1823fqc0eb8c860907106@mail.gmail.com> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav > From Drawbridge.Jack at ic.gc.ca Mon Oct 29 10:20:57 2007 From: Drawbridge.Jack at ic.gc.ca (Drawbridge, Jack: SBMS) Date: Mon, 29 Oct 2007 11:20:57 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> John, If you are timing queries using IN and Not IN, you may wish to try EXISTS and NOT Exists. We have had many queries that were just "too slow" with IN operator that were speeded up by using Exists. eg SELECT claimId FROM tblClaim where NOT EXISTS (select "x" from tblClaimLogged WHERE tblClaim.claimId = tblClaimLogged.claimId) Jack -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 10:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From EdTesiny at oasas.state.ny.us Mon Oct 29 10:30:02 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Mon, 29 Oct 2007 11:30:02 -0400 Subject: [AccessD] Cumulative sum Message-ID: Hi All, I think this should be easy but I can't figure it out. To simplify, say you have three fields, ProviderNo, ReportDate, ActiveClients. So, if you have 3 months of data for a provider you can create a chart plotting each month. Is there a way in a query to get the sum of the 3 months? MTIA, Ed Edward P. Tesiny Assistant Director for Evaluation Bureau of Evaluation and Practice Improvement New York State OASAS 1450 Western Ave. Albany, New York 12203-3526 Phone: (518) 485-7189 Fax: (518) 485-5769 Email: EdTesiny at oasas.state.ny.us From Gustav at cactus.dk Mon Oct 29 10:31:31 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 16:31:31 +0100 Subject: [AccessD] Relative path for images Message-ID: Hi Arthur Even more interesting. It works in A97. /gustav >>> fuller.artful at gmail.com 29-10-2007 16:17 >>> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav From max.wanadoo at gmail.com Mon Oct 29 10:43:11 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 29 Oct 2007 15:43:11 -0000 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: <00c301c81a42$69cb3d30$8119fea9@LTVM> Q. does that class have error trapping A, Yes - This List Q. can it function outside of a framework? A. Obviously not. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Monday, October 29, 2007 2:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 10:46:17 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 08:46:17 -0700 Subject: [AccessD] On-Line Help Message-ID: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky From Gustav at cactus.dk Mon Oct 29 11:11:42 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 17:11:42 +0100 Subject: [AccessD] On-Line Help Message-ID: Hi Rocky We've always used Help Magican 3.0, a 16 bit program from the days of Access 2.0, to create hlp files. Great program, and on today's equipment it compiles at an incredible speed. You may be able to obtain a copy on Ebay filed under antiques! But now you have to use the html help file format which I don't like. Others may chime in here with advice. /gustav >>> rockysmolin at bchacc.com 29-10-2007 16:46 >>> Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky From jwcolby at colbyconsulting.com Mon Oct 29 11:20:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:20:27 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> References: <002101c81a36$40a60f40$647aa8c0@M90> <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> Message-ID: <002b01c81a47$9ecacc30$647aa8c0@M90> Actually I don't want either. I am not using an IN() clause, nor NOT IN(). I am using an outer join TableA to TableB with a where clause "some field in tableB is null". I call that a "not in" query because it shows you where records in TableA are "not in" TableB. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 11:05 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] "Not In" query speed I clicked Send too quickly. I didn't realize that you wanted so many records in your NOT IN() clause. For that many rows, I would do the join instead. Arthur On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? > That is where an outer join to a table is used and then a filter set > on the PK (or any field really) of the outer joined table to discover > all records "not in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number of records in tblClaim) and that each ClaimID is only in > tblClaimLogged one time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of > the records in tblClaim are in tblClaimLogged, and each record can > only be in there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 11:21:13 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:21:13 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> References: <002101c81a36$40a60f40$647aa8c0@M90> <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> Message-ID: <002c01c81a47$b9b9f070$647aa8c0@M90> Sorry, this is not using an IN() clause in any manner. See my response to Arthur. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drawbridge, Jack: SBMS Sent: Monday, October 29, 2007 11:21 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] "Not In" query speed John, If you are timing queries using IN and Not IN, you may wish to try EXISTS and NOT Exists. We have had many queries that were just "too slow" with IN operator that were speeded up by using Exists. eg SELECT claimId FROM tblClaim where NOT EXISTS (select "x" from tblClaimLogged WHERE tblClaim.claimId = tblClaimLogged.claimId) Jack -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 10:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 11:21:57 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:21:57 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <00c301c81a42$69cb3d30$8119fea9@LTVM> References: <00c301c81a42$69cb3d30$8119fea9@LTVM> Message-ID: <002d01c81a47$d4663f50$647aa8c0@M90> ROTFL. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Monday, October 29, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Q. does that class have error trapping A, Yes - This List Q. can it function outside of a framework? A. Obviously not. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Monday, October 29, 2007 2:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, I have no option". So he kills Skip, roasts him over a spit > and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy > the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 29 11:25:42 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 29 Oct 2007 09:25:42 -0700 Subject: [AccessD] Relative path for images In-Reply-To: References: Message-ID: I don't know why it wouldn't work in A2k (well, except for the fact that it IS A2k!) since it's actually a Windows shorthand. I do recall that at least some of the versions replaced the relative path for icons and images with a fixed path somewhere along the ... er, path. LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 29, 2007 8:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Relative path for images Hi Arthur Even more interesting. It works in A97. /gustav >>> fuller.artful at gmail.com 29-10-2007 16:17 >>> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Mon Oct 29 12:16:13 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Mon, 29 Oct 2007 10:16:13 -0700 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <06048CA5DE0B48DE9E4B124AC9ECE5FF@creativesystemdesigns.com> Hi John: Other than it is the SLOWEST, most resource hungry query there is in the world of SQL and even running a 'loop' usually is significantly faster. In one particular situation when adding a huge amount of data, to a table, creating a unique key (also not usually recommended when adding large amounts of data) and testing for data collision errors produced a superior result. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 29 12:23:33 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 12:23:33 -0500 Subject: [AccessD] On-Line Help In-Reply-To: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> References: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: <001c01c81a50$6ee36000$0200a8c0@danwaters> Hi Rocky, Well - I've been trying to use .chm files, and am having bad luck. Apparently, MS has found a possibility (remote) that a .chm file could have malicious code in it. So now to open a .chm file on a company's network using a hyperlink or using ShellExecute requires that they 'relax' their security setting a bit. I haven't been able to find the exact details. A .chm file can still be opened directly. By coincidence, I was going to begin writing a help file today. But what I'm going to do is to just create a small web site that can be opened by my application. This can contain text, screenshots, links to other files, and links to short videos I make to show some intricate aspect of the user interface. I hope this works! Good Luck, Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 10:46 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 29 13:01:54 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 29 Oct 2007 21:01:54 +0300 Subject: [AccessD] On-Line Help In-Reply-To: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: <000301c81a55$ca8a1b10$6401a8c0@nant> Hi Rocky, You can try this software: http://www.helpgenerator.com/downloadacchelp.htm It has free trial version and it can generate html help skeleton including screenshots with hotspots from MS Access 2000-2007 projects. It has also quite some other goodies useful for HTML help authoring process... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 6:46 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 13:12:11 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 11:12:11 -0700 Subject: [AccessD] Spell Check Message-ID: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky From joeo at appoli.com Mon Oct 29 13:47:12 2007 From: joeo at appoli.com (Joe O'Connell) Date: Mon, 29 Oct 2007 14:47:12 -0400 Subject: [AccessD] On-Line Help References: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: Rocky, Years ago I used Doc-to-Help to create both a manual and help file for a commercial application. As I recall, it was essentially a Word template and macros that allows one document to produce both the manual and help file. It has coding built in to be able to mark passages of the document to be included only in the printed manual or only in the help file. It was extremely easy to use and produced very well indexed help files. I have not done anything with it lately, but I would assume that the current version would be much better than what I used. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 11:46 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 29 13:49:16 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 13:49:16 -0500 Subject: [AccessD] Spell Check In-Reply-To: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> Message-ID: <002301c81a5c$68c54010$0200a8c0@danwaters> Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 14:03:43 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 12:03:43 -0700 Subject: [AccessD] Spell Check In-Reply-To: <002301c81a5c$68c54010$0200a8c0@danwaters> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> <002301c81a5c$68c54010$0200a8c0@danwaters> Message-ID: <008b01c81a5e$6cebf470$0301a8c0@HAL9005> That will definitely help. I'll probably define some hot key to trigger the spell check since the user may want it off - or maybe a check box and use the enter/exit approach. The DoCmd.RunCommand acCmdSpelling if call separately, does that normally run on all the text boxes on the form or just the text box that has the focus? Thanks and regards, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 29, 2007 11:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1097 - Release Date: 10/28/2007 1:58 PM From dwaters at usinternet.com Mon Oct 29 14:18:08 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 14:18:08 -0500 Subject: [AccessD] Spell Check In-Reply-To: <008b01c81a5e$6cebf470$0301a8c0@HAL9005> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005><002301c81a5c$68c54010$0200a8c0@danwaters> <008b01c81a5e$6cebf470$0301a8c0@HAL9005> Message-ID: <002401c81a60$70c6d2c0$0200a8c0@danwaters> The code I listed was a little simplified. In my app I have a User Settings form. One of the settings is if a user wants the auto-spellcheck turned on. That value is stored in a tblPeopleMain field, and it's value is True by default. The reason this is only checking a specific field is because all the text in that field is selected in code. I've never tried to run acCmdSpelling without selecting text first! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 2:04 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check That will definitely help. I'll probably define some hot key to trigger the spell check since the user may want it off - or maybe a check box and use the enter/exit approach. The DoCmd.RunCommand acCmdSpelling if call separately, does that normally run on all the text boxes on the form or just the text box that has the focus? Thanks and regards, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 29, 2007 11:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1097 - Release Date: 10/28/2007 1:58 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Mon Oct 29 16:31:33 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Mon, 29 Oct 2007 17:31:33 -0400 Subject: [AccessD] Cumulative sum In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB0A3@EXCNYSM0A1AI.nysemail.nyenet> Ed It depends on how the ReportDate is created. Is it a full real date or say just the beginning of each month. Do you want each month summed or all three together? Is ActiveClients a count or Indicator? I assume this is Access gui 1) IF real date and want each month and ActiveClients is count SELECT ProviderNo, FORMAT(ReportDate,"MM/YYYY") as RptDt, or FORMAT(ReportDate, "MM/01/YYYY" SUM(ActiveClients) as ActClient FROM Tbl1 GROUP BY ProviderNo, FORMAT(ReportDate,"MM/YYYY") 2) IF real date and want each month and activeclient is indicator SELECT ProviderNo, FORMAT(ReportDate,"MM/YYYY") as RptDt, or FORMAT(ReportDate, "MM/01/YYYY" SUM (IIF(ActiveClients = TRUE,1,0) as ActClient FROM Tbl1 GROUP BY ProviderNo, FORMAT(ReportDate,"MM/YYYY") I didn't have time to fully test this but it is what I remember HTH Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Monday, October 29, 2007 11:30 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Cumulative sum > > Hi All, > I think this should be easy but I can't figure it out. To > simplify, say you have three fields, ProviderNo, ReportDate, > ActiveClients. So, if you have 3 months of data for a > provider you can create a chart plotting each month. Is > there a way in a query to get the sum of the 3 months? > MTIA, > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement New York State > OASAS 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From Chester_Kaup at kindermorgan.com Tue Oct 30 08:42:04 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 30 Oct 2007 08:42:04 -0500 Subject: [AccessD] Form Detail Double Click Issue Message-ID: I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. From Jim.Hale at FleetPride.com Tue Oct 30 09:02:47 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 30 Oct 2007 09:02:47 -0500 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE Message-ID: http://office.microsoft.com/en-us/access/HA102388991033.aspx I just ran across this. Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Lambert.Heenan at AIG.com Tue Oct 30 09:20:46 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 30 Oct 2007 10:20:46 -0400 Subject: [AccessD] Form Detail Double Click Issue Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician From Chester_Kaup at kindermorgan.com Tue Oct 30 09:50:16 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 30 Oct 2007 09:50:16 -0500 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 30 10:07:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 30 Oct 2007 08:07:15 -0700 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: Have you tried Enabled = False, Locked = True? I don't work with charts on forms, so I'm not sure both properties are available. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 7:50 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 30 10:43:11 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 30 Oct 2007 11:43:11 -0400 Subject: [AccessD] Form Detail Double Click Issue References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> > That works but the undesirable side effect is that the background of the > chart changes to gray. One idea I came up with was to create an onclick > event for the chart that sets the focus back to the first text box that > the user can edit the default value in. It might also be possible to set > the focus to an invisible dummy text box. ======You'll get calls -- "It's broke....when I click it, it takes me back to ... " Susan H. From Lambert.Heenan at AIG.com Tue Oct 30 10:52:19 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 30 Oct 2007 10:52:19 -0500 Subject: [AccessD] Form Detail Double Click Issue Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7259@XLIVMBX35bkup.aig.com> You won't be able to set the focus to an *invisible* textbox, but you can set the height and width of a visible control to some tiny number like 0.01. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 10:50 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Tue Oct 30 10:56:26 2007 From: JHewson at karta.com (Jim Hewson) Date: Tue, 30 Oct 2007 10:56:26 -0500 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0BFD06@karta-exc-int.Karta.com> I would think, a msgbox on the click and double-click events, indicating it cannot be modified then refocus on the previous control work. The user would then know it's not broken and it's by design it cannot be edited. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Tuesday, October 30, 2007 10:43 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue > That works but the undesirable side effect is that the background of the > chart changes to gray. One idea I came up with was to create an onclick > event for the chart that sets the focus back to the first text box that > the user can edit the default value in. It might also be possible to set > the focus to an invisible dummy text box. ======You'll get calls -- "It's broke....when I click it, it takes me back to ... " Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Tue Oct 30 11:00:13 2007 From: garykjos at gmail.com (Gary Kjos) Date: Tue, 30 Oct 2007 11:00:13 -0500 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE In-Reply-To: References: Message-ID: Thatnks for sharing that Jim. GK On 10/30/07, Hale, Jim wrote: > > http://office.microsoft.com/en-us/access/HA102388991033.aspx > > I just ran across this. > Jim Hale > > > *********************************************************************** > The information transmitted is intended solely for the individual or > entity to which it is addressed and may contain confidential and/or > privileged material. Any review, retransmission, dissemination or > other use of or taking action in reliance upon this information by > persons or entities other than the intended recipient is prohibited. > If you have received this email in error please contact the sender and > delete the material from any computer. As a recipient of this email, > you are responsible for screening its contents and the contents of any > attachments for the presence of viruses. No liability is accepted for > any damages caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From barry.herring at att.net Tue Oct 30 11:04:35 2007 From: barry.herring at att.net (Barry G. Herring) Date: Tue, 30 Oct 2007 11:04:35 -0500 Subject: [AccessD] Access Developer Needed (St. Louis Area) In-Reply-To: References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: <007501c81b0e$916c11d0$b4443570$@herring@att.net> Dear List, My company is looking for a access developer in the St. Louis area, I do not know the pay or the work load will be. Just wanted to know if anyone on the list was interested. It might be just a contractor position. But FYI I started as a contractor and moved to a full time employee, so it is possible. Please respond off line to the email address listed below. I do not want to tie up the list with this. I am also using an email account that I do not care if spammers get. Emails sent to that address will be moved over to another account and a email from my work account will be sent to individuals interested. Thanks, Barry G. Herring Project Manager / Software Developer Herringb at hotmail.com From ssharkins at gmail.com Tue Oct 30 11:02:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 30 Oct 2007 12:02:55 -0400 Subject: [AccessD] Form Detail Double Click Issue References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com><015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> <3918C60D59E7D84BBE11101EB0FDEF6F0BFD06@karta-exc-int.Karta.com> Message-ID: <018701c81b0e$7a63ebc0$4b3a8343@SusanOne> Yes, that's a good idea. Susan H. >I would think, a msgbox on the click and double-click events, indicating it >cannot be modified then refocus on the previous control work. The user >would then know it's not broken and it's by design it cannot be edited. From accessd at shaw.ca Tue Oct 30 12:26:22 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Tue, 30 Oct 2007 10:26:22 -0700 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE In-Reply-To: Message-ID: <4DA3B66404A444188DEEBC3410B6537B@creativesystemdesigns.com> Excellent. Thanks Jim Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 30, 2007 7:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE http://office.microsoft.com/en-us/access/HA102388991033.aspx I just ran across this. Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 12:46:42 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 13:46:42 -0400 Subject: [AccessD] e-mail plug-in needed References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> Message-ID: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William From john at winhaven.net Tue Oct 30 12:52:58 2007 From: john at winhaven.net (John Bartow) Date: Tue, 30 Oct 2007 12:52:58 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002801c81b1d$b4ee8070$6402a8c0@ScuzzPaq> William, If you already own FMS's emailer maybe they could offer some methods of using it to collect that info. They've been pretty helpful to me over the years with other products of theirs. From wdhindman at dejpolsystems.com Tue Oct 30 13:16:35 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 14:16:35 -0400 Subject: [AccessD] e-mail plug-in needed References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net><003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> <002801c81b1d$b4ee8070$6402a8c0@ScuzzPaq> Message-ID: <005201c81b21$02168480$0c10a8c0@jisshowsbs.local> ...thanks John but I've already ran it past them with no results other than that would be a neat improvement for a future release but we have no idea how we could do it ...my real problem with the fms e-mailer is that I have no access to the code and I know that this client is going to expect me to provide further mods. ...btw, I do use and swear by FMS' tools ...just not their apps or components. William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Tuesday, October 30, 2007 1:52 PM Subject: Re: [AccessD] e-mail plug-in needed > William, > If you already own FMS's emailer maybe they could offer some methods of > using it to collect that info. > > They've been pretty helpful to me over the years with other products of > theirs. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 30 13:23:53 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 30 Oct 2007 13:23:53 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002601c81b22$06dc7b90$0200a8c0@danwaters> Hi William, I know that vbSendMail can detect when an email is rejected (using WithEvents in a Class). The download for this also has two sample screens which show all of capabilities. It's written as a complete vb6 app, perhaps you could call it from Access if you need it working quickly. BOL! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 12:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 30 13:27:37 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 30 Oct 2007 19:27:37 +0100 Subject: [AccessD] e-mail plug-in needed Message-ID: Hi William > keep an audit trail of addresses rejected by the receiving isp That is "tuff" ... communication with the receiving SMTP server may fail or be delayed as well. This is the job of an SMTP server and I don't think you really wish to build such an animal. However, if you and the client need to operate at this serious level, I can strongly recommend hMailServer: http://www.hmailserver.com/ This is a wonderful product, free and open-source, which will run on the Windows Server you love so much and with SQL Server or MySQL as the datastore. What separate it from many other offerings are the COM API and the ability to be controlled via DCOM: http://www.hmailserver.com/documentation/?page=com_objects and it is easy to install and configure. If this is too hardcore, an option might be to use CDOSYS and connect to the SMTP Service of IIS at a Windows Server OS. On these (contrary to workstation OS) you have the added feature of ODBC access to the SMTP log. /gustav >>> wdhindman at dejpolsystems.com 30-10-2007 18:46 >>> ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William From shamil at users.mns.ru Tue Oct 30 13:39:53 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Tue, 30 Oct 2007 21:39:53 +0300 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002101c81b24$49630d60$6401a8c0@nant> Hi William, You can make C# Classlib from this open source or similar code http://csharp-source.net/open-source/web-mail and then expose it as a COM component and use from within MS Access.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 8:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Tue Oct 30 13:47:46 2007 From: john at winhaven.net (John Bartow) Date: Tue, 30 Oct 2007 13:47:46 -0500 Subject: [AccessD] Form Position Message-ID: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> I would like to have a pop-up form open directly below the icon used to open it. The pop-up form is used throughout the application and the icon is not always in the same location on each form. Does anyone have form positioning code that I could adopt for this? From markamatte at hotmail.com Tue Oct 30 15:16:55 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Tue, 30 Oct 2007 20:16:55 +0000 Subject: [AccessD] Form Position In-Reply-To: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> Message-ID: John, I don't have an example...but I have moved objects and db windows before...for the form itself it should be similar. The unit of measure will be in "TWIPS". I would call a function that gets the location of what you clicked on(bottom and left...this will be in twips)...and come up with a small formula(say 25 twips down and 30 twips left...you will have to add and subtract these from/to the location numbers you got above) Now...when your popup opens...use the MOVE method in conjunction with your twip calculations from above.(the WindowLeft or WindowTop properties are read only...but MOVE works.) This should allow you to open a popup anywhere and have it move to your clicking location. Good Luck, Mark A. Matte P.S...When I first started moving stuff like this...I did a little exercise to get a good understanding of what was happening. I created a form with : 1 button, 1 text box....when I clicked the button...the text box displayed the top left of the textbox in TWIPS. Then I changed the button to where it found txtbox.topleft...and added 25 twips to it...then displayed in the text box the new number. Then I did the same thing...moving right and left...and so on. This way I could see how far each change actually moved my object. Point of this...I still don't know exactly how big a twip is...and 25 of them is just a nudge. ...and if your calculation goes off the screen...db does NOT like it...so use error handling. Mark> From: john at winhaven.net> To: accessd at databaseadvisors.com> Date: Tue, 30 Oct 2007 13:47:46 -0500> Subject: [AccessD] Form Position> > I would like to have a pop-up form open directly below the icon used to open> it. The pop-up form is used throughout the application and the icon is not> always in the same location on each form. Does anyone have form positioning> code that I could adopt for this?> -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Windows Live Hotmail and Microsoft Office Outlook ? together at last. ?Get it now. http://office.microsoft.com/en-us/outlook/HA102225181033.aspx?pid=CL100626971033 From DWUTKA at Marlow.com Tue Oct 30 13:58:16 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 30 Oct 2007 13:58:16 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: Does it need to receive email, or just send? Sending email is VERY easy to do with just a winsock control. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 12:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From fuller.artful at gmail.com Tue Oct 30 17:11:47 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 30 Oct 2007 18:11:47 -0400 Subject: [AccessD] FE comparison tool? Message-ID: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur From dwaters at usinternet.com Tue Oct 30 17:44:24 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 30 Oct 2007 17:44:24 -0500 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> References: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <000901c81b46$6be04660$0200a8c0@danwaters> Yes - look at the FMS product call Total Access Detective. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 30, 2007 5:12 PM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 17:47:40 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 09:47:40 +1100 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: Message-ID: <200710302247.l9UMlbh7007673@databaseadvisors.com> Hi Chester Drop the chart onto a form all its own - Then drop that new form as a subform onto your main form and make the subform enabled = false Should work Darren ----------------- -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Wednesday, 31 October 2007 12:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Tue Oct 30 18:22:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 30 Oct 2007 16:22:13 -0700 Subject: [AccessD] Form Position In-Reply-To: References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> Message-ID: <008a01c81b4b$b4740a60$0301a8c0@HAL9005> Mark: That's the approach I would use. But one caveat. If the target machines' monitors have different resolutions, the amount to add or subtract relative to the command button will be different. The initial x and y deltas would need to be multiplied by the target monitor's resolution divided by the design resolution. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Mark A Matte Sent: Tuesday, October 30, 2007 1:17 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Position John, I don't have an example...but I have moved objects and db windows before...for the form itself it should be similar. The unit of measure will be in "TWIPS". I would call a function that gets the location of what you clicked on(bottom and left...this will be in twips)...and come up with a small formula(say 25 twips down and 30 twips left...you will have to add and subtract these from/to the location numbers you got above) Now...when your popup opens...use the MOVE method in conjunction with your twip calculations from above.(the WindowLeft or WindowTop properties are read only...but MOVE works.) This should allow you to open a popup anywhere and have it move to your clicking location. Good Luck, Mark A. Matte P.S...When I first started moving stuff like this...I did a little exercise to get a good understanding of what was happening. I created a form with : 1 button, 1 text box....when I clicked the button...the text box displayed the top left of the textbox in TWIPS. Then I changed the button to where it found txtbox.topleft...and added 25 twips to it...then displayed in the text box the new number. Then I did the same thing...moving right and left...and so on. This way I could see how far each change actually moved my object. Point of this...I still don't know exactly how big a twip is...and 25 of them is just a nudge. ...and if your calculation goes off the screen...db does NOT like it...so use error handling. Mark> From: john at winhaven.net> To: accessd at databaseadvisors.com> Date: Mark> Tue, 30 Oct 2007 13:47:46 -0500> Subject: [AccessD] Form Position> Mark> > I would like to have a pop-up form open directly below the icon Mark> used to open> it. The pop-up form is used throughout the Mark> application and the icon is not> always in the same location on Mark> each form. Does anyone have form positioning> code that I could Mark> adopt for this?> -- > AccessD mailing list> Mark> AccessD at databaseadvisors.com> Mark> http://databaseadvisors.com/mailman/listinfo/accessd> Website: Mark> http://www.databaseadvisors.com _________________________________________________________________ Windows Live Hotmail and Microsoft Office Outlook ? together at last. ?Get it now. http://office.microsoft.com/en-us/outlook/HA102225181033.aspx?pid=CL10062697 1033 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1098 - Release Date: 10/29/2007 9:28 AM From rockysmolin at bchacc.com Tue Oct 30 18:23:48 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 30 Oct 2007 16:23:48 -0700 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> References: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <008b01c81b4b$ecd10e80$0301a8c0@HAL9005> I don't know if it will do exactly what you want by take a look at Starinix Database Compare (http://www.starinix.com/) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 30, 2007 3:12 PM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1098 - Release Date: 10/29/2007 9:28 AM From actebs at actebs.com.au Tue Oct 30 19:10:16 2007 From: actebs at actebs.com.au (ACTEBS) Date: Wed, 31 Oct 2007 11:10:16 +1100 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <002e01c81b52$6a7219f0$0d08a8c0@carltonone.local> Arthur, I wrote this tool by correlating a heap of code snippets from the net over the years and it does something similar to what you want. It is written in VB6 and done for a client of mine that runs an app for multiple users that I wrote a few years ago. It checks the users version of the FE to "the current" version on a predefined network drive. This ensures all users are using the same version of the front and updates it automatically if they aren't and then opens the updated FE. Hope this makes sense and you get some use out of it. You can get it here: http://download.actebs.com.au/eg/UpdateFile.zip Regards Vlad -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, 31 October 2007 9:12 AM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 19:47:18 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 11:47:18 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <04E25951408A4DFDBA46AD6E545EDC6F@creativesystemdesigns.com> Message-ID: <200710310047.l9V0lHfR001824@databaseadvisors.com> Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 20:34:43 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 12:34:43 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310047.l9V0lHfR001824@databaseadvisors.com> Message-ID: <200710310134.l9V1YbPA025486@databaseadvisors.com> Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From demulling at centurytel.net Tue Oct 30 21:03:29 2007 From: demulling at centurytel.net (Demulling Family) Date: Tue, 30 Oct 2007 21:03:29 -0500 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> References: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <4727E271.9030404@centurytel.net> Darren, Here is one way: Dim con As New ADODB.Connection Dim rs As New ADODB.Recordset Dim cmdtext As String cmdtext = "SELECT" cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" cmdtext = cmdtext & " FROM tblSEILinks" cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" con = setconnection con.Open rs.Open cmdtext, con If Not rs.BOF And Not rs.EOF Then rs.MoveFirst Do Until rs.EOF rs.MoveNext Loop End If rs.Close con..Close set rs = Nothing set con = Nothing From darren at activebilling.com.au Tue Oct 30 21:16:31 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 13:16:31 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <4727E271.9030404@centurytel.net> Message-ID: <200710310216.l9V2GSD1013761@databaseadvisors.com> Hi Thanks for the post Jeff When I first copied and pasted your code - the debugger failed on "con = setconnection" So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it to work with Explicit on? Also - When I ran it after that I got the following error... "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no default driver specified" Any suggestions on that one? Obviously I have somehow stuffed the connection info - Was your code designed to go hand in hand with Jim's earlier connection string post? Thanks again Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family Sent: Wednesday, 31 October 2007 1:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Connect to SQL and retrieve records Darren, Here is one way: Dim con As New ADODB.Connection Dim rs As New ADODB.Recordset Dim cmdtext As String cmdtext = "SELECT" cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" cmdtext = cmdtext & " FROM tblSEILinks" cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" con = setconnection con.Open rs.Open cmdtext, con If Not rs.BOF And Not rs.EOF Then rs.MoveFirst Do Until rs.EOF rs.MoveNext Loop End If rs.Close con..Close set rs = Nothing set con = Nothing -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 21:38:50 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 22:38:50 -0400 Subject: [AccessD] e-mail plug-in needed References: Message-ID: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 21:38:50 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 22:38:50 -0400 Subject: [AccessD] e-mail plug-in needed References: Message-ID: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From demulling at centurytel.net Tue Oct 30 22:26:48 2007 From: demulling at centurytel.net (Demulling Family) Date: Tue, 30 Oct 2007 22:26:48 -0500 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310216.l9V2GSD1013761@databaseadvisors.com> References: <200710310216.l9V2GSD1013761@databaseadvisors.com> Message-ID: <4727F5F8.5090809@centurytel.net> Darren D wrote: > Hi > > Thanks for the post Jeff > > When I first copied and pasted your code - the debugger failed on "con = > setconnection" > > So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it > to work with Explicit on? > > Also - When I ran it after that I got the following error... > > "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no > default driver specified" > > Any suggestions on that one? > > Obviously I have somehow stuffed the connection info - Was your code designed to > go hand in hand with Jim's earlier connection string post? > > Thanks again > > Darren > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family > Sent: Wednesday, 31 October 2007 1:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Connect to SQL and retrieve records > > Darren, > > Here is one way: > > Dim con As New ADODB.Connection > Dim rs As New ADODB.Recordset > Dim cmdtext As String > > cmdtext = "SELECT" > cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" > cmdtext = cmdtext & " FROM tblSEILinks" > cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" > > con = setconnection > con.Open > > rs.Open cmdtext, con > > If Not rs.BOF And Not rs.EOF Then > rs.MoveFirst > > Do Until rs.EOF > rs.MoveNext > Loop > End If > > rs.Close > con..Close > set rs = Nothing > set con = Nothing > Sorry about that, I have a function that I use to set the connection string. Function setconnection() 'This is for trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Trusted_Connection=Yes" 'This is for non trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Password=<> End Function From darren at activebilling.com.au Wed Oct 31 00:23:10 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 16:23:10 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <4727F5F8.5090809@centurytel.net> Message-ID: <200710310523.l9V5N3ia030901@databaseadvisors.com> Brilliant - excellent - works like a charm I really am gratefull DD -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family Sent: Wednesday, 31 October 2007 2:27 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Connect to SQL and retrieve records Darren D wrote: > Hi > > Thanks for the post Jeff > > When I first copied and pasted your code - the debugger failed on "con = > setconnection" > > So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it > to work with Explicit on? > > Also - When I ran it after that I got the following error... > > "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no > default driver specified" > > Any suggestions on that one? > > Obviously I have somehow stuffed the connection info - Was your code designed to > go hand in hand with Jim's earlier connection string post? > > Thanks again > > Darren > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family > Sent: Wednesday, 31 October 2007 1:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Connect to SQL and retrieve records > > Darren, > > Here is one way: > > Dim con As New ADODB.Connection > Dim rs As New ADODB.Recordset > Dim cmdtext As String > > cmdtext = "SELECT" > cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" > cmdtext = cmdtext & " FROM tblSEILinks" > cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" > > con = setconnection > con.Open > > rs.Open cmdtext, con > > If Not rs.BOF And Not rs.EOF Then > rs.MoveFirst > > Do Until rs.EOF > rs.MoveNext > Loop > End If > > rs.Close > con..Close > set rs = Nothing > set con = Nothing > Sorry about that, I have a function that I use to set the connection string. Function setconnection() 'This is for trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Trusted_Connection=Yes" 'This is for non trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Password=<> End Function -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From michael at ddisolutions.com.au Wed Oct 31 00:55:43 2007 From: michael at ddisolutions.com.au (Michael Maddison) Date: Wed, 31 Oct 2007 16:55:43 +1100 Subject: [AccessD] e-mail plug-in needed References: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> Message-ID: <59A61174B1F5B54B97FD4ADDE71E7D01289FCD@ddi-01.DDI.local> I seem to recall reading somewhere of a similar request where the consensus was that any solution would be unreliable. If IIRC the problem was that a significant # of mail servers do not respond to bad sends as an anti spam / security measure. http://www.componentspace.com/emailchecker.net.aspx see the * at the bottom of the page. cheers Michael M ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 31 11:06:05 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 11:06:05 -0500 Subject: [AccessD] Form Position In-Reply-To: <008a01c81b4b$b4740a60$0301a8c0@HAL9005> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> <008a01c81b4b$b4740a60$0301a8c0@HAL9005> Message-ID: <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> Thanks guys, Its the aproach I will take too - if I have to :o) I was actually asking for some code snippets that I could modify for this because its just one one of those nicity-nice things and I just don't have the time to write the code from scratch for it right now. I am just going to center the pop-up form on screen for now. From Gustav at cactus.dk Wed Oct 31 12:28:18 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 31 Oct 2007 18:28:18 +0100 Subject: [AccessD] SQL Server observed performance Message-ID: Hi all It appears that the new Falcon engine of MySQL has improved regarding speed of inserts: http://blogs.mysql.com/robin/2007/10/03/improved-handling-of-large-falcon-transactions/ This equals to about 48,000 records per second which is approaching that of loading a file directly (link below). I guess no index can be present to reach this speed. /gustav >>> Gustav at cactus.dk 31-10-2006 18:03 >>> Hi John Under some specific conditions you could easily increase import speed about 20 fold with MySQL: http://databaseadvisors.com/mailman/htdig/accessd/2006-May/043865.html And "modest hardware" indeed: IBM PC300, 266 MHz CPU, 256 MB ram, one IDE drive. Of course, you would need to build indices etc. later, but still ... /gustav >>> jwcolby at colbyconsulting.com 31-10-2006 17:20:43 >>> I thought you guys might find this interesting. I have a database that I imported a couple of years ago. On a single processor 3 ghz AMD64 running 2 mbytes of memory, using (4) individual IDE 250gb hard drives (no raid) the system would import ~ 1000 rows per second into SQL Server. Each text file was ~10 gbytes, consisted of ~700 fields and 3 million records per file. Each field was originally padded right with spaces (comma delimited, but fixed width). This time around, I built an Access (really just VBA) preprocessor to open each file, read it line by line, strip all of the padding off the left and right sides (there was some left padding as well) and write it back out to another file. This dropped the average text file size to ~ 6.5 gbytes, which leaves us with average padding of well over 35%. It also left the resulting data in the unpadded after importing into SQL Server which makes sorts / searches and indexes possible. Anyway, after stripping all of this padding and building new files, I am now importing these into my new server which is a AMD64 X2 dual processor 3.8 ghz with 2 gbytes of ram. The disk subsystem is now a pair of volumes hosted on a raid 6 array, 1 tbyte for the main data store and ~400 gb for the temp databases. The new system imports the new (stripped) data files at about 3000 records per second. I have to run 3 imports at a time to keep both cores above 90% usage. Running 3 imports at a time, the imports happen roughly at 2k records / second FOR EACH IMPORT. Oddly, if I run more than 4 imports at a time, the processor usage drops back to ~70% for some reason and in fact each import slows to ~500 imports / second. This may have to do with the limits of disk streaming off of the machine that holds the source text files. The source files come from a second machine, all the files on the same disk / directory, over a 1ghz network (switch). I am happy to say though that the new dual processor server appears to be able to perform this specific task ~3 to 6 times as fast which is a huge and much needed performance boost. The other advantage to this configuration is that I am no longer playing games splitting the database up into smaller files residing on individual hard drives, and of course, the whole thing is using raid 6 which provides much needed security. John W. Colby Colby Consulting www.ColbyConsulting.com From john at winhaven.net Wed Oct 31 14:30:57 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 14:30:57 -0500 Subject: [AccessD] Form Position In-Reply-To: <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005> <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> Message-ID: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) From andy at minstersystems.co.uk Wed Oct 31 15:14:30 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 31 Oct 2007 20:14:30 -0000 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <014801c81bfa$a56717b0$056d8552@minster33c3r25> And so say all of us. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 31 October 2007 19:31 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Form Position > > > Went to lunch, got another project, got a free lunch, thought > of "Lebans", looked it up and found the form positioning code > I needed! > > I need to go out to lunch more ;o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From jwcolby at colbyconsulting.com Wed Oct 31 15:19:42 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 31 Oct 2007 16:19:42 -0400 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <001901c81bfb$5f8fcce0$647aa8c0@M90> Indeed! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 3:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 31 15:25:18 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 13:25:18 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <81A7FE4F0D334606AB8809C527A84D13@creativesystemdesigns.com> Hi Darren: To actually retrieve the data from the MS SQL server could be like this: Public Function FillCompanies() As Boolean Dim objCmd As ADODB.Command On Error GoTo Err_FillCompanies FillCompanies = False Set objCmd = New ADODB.Command With objCmd .ActiveConnection = gstrConnection .CommandText = "REFillCompanies" .CommandType = adCmdStoredProc End With Set rsCompanies = New ADODB.Recordset rsCompanies.CursorLocation = adUseClient rsCompanies.Open objCmd, , adOpenStatic, adLockOptimistic With rsCompanies If .BOF = False Or .EOF = False Then .MoveLast End With Set objCmd = Nothing FillCompanies = True Exit Function Err_FillCompanies: ShowErrMsg "FillCompanies" End Function Note this is using a MS SQL SP. The simple SP looks like this: CREATE PROC REFillCompanies AS SELECT CasinoCompany.CompanyCode, CasinoCompany.CompanyName, CasinoCompany.CompanyAbrev, CasinoCompany.Active AS CompanyActive, CasinoLocations.LocationCode, CasinoLocations.LocationName, CasinoLocations.Active AS LocationActive FROM CasinoCompany INNER JOIN CasinoLocations ON CasinoCompany.CompanyCode = CasinoLocations.CompanyCode WHERE CasinoCompany.Active=1 ORDER BY CasinoCompany.CompanyName, CasinoLocations.LocationName; GO I will send another piece of code that stores the retrieved recordset in a list box. HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 31 15:42:35 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 31 Oct 2007 16:42:35 -0400 Subject: [AccessD] form doesn't save Message-ID: <004c01c81bfe$94273620$4b3a8343@SusanOne> The following is a simple event procedure that updates a value list combo with user input. It works fine. The problem is, the form won't save the new item. The next time you open the form, the newly added item's gone. It's kind of like, the form doesn't think there's anything to change, because I don't get the Save prompt. Susan H. Private Sub cboMetals_NotInList(NewData As String, _ Response As Integer) 'Update value list with user input. On Error GoTo ErrHandler Dim bytUpdate As Byte bytUpdate = MsgBox("Do you want to add " & _ cboMetals.Value & " to the list?", _ vbYesNo, "Non-list item!") 'Add user input If bytUpdate = vbYes Then Response = acDataErrAdded cboMetals.AddItem NewData 'Update RowSource property for 'XP and older. 'cboMetals.RowSource = _ ' cboMetals.RowSource _ ' & ";" & NewData 'Save updated list. DoCmd.Save acForm, "ValueList" 'Don't add user input Else Response = acDataErrContinue cboMetals.Undo End If Exit Sub ErrHandler: MsgBox Err.Number & ": " & Err.Description, _ vbOKOnly, "Error" End Sub From accessd at shaw.ca Wed Oct 31 16:01:16 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 14:01:16 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <054781CF8ED948F797CE5E75B02C58E0@creativesystemdesigns.com> Hi Darren: Here is a code sample that I would use to fill a list box: Public Function FillCompanyList(ctlBox As Control, Id As Variant, row As Variant, col As Variant, CODE As Variant) As Variant 'Common Combo and List box fill function. 'Assumes rsCasinoCompany recordset is the supplied data and has 'equal or more fields than required in the control. On Error GoTo Err_FillCompanyList Dim mvReturnVal As Variant mvReturnVal = Null With rsCompaniesResults Select Case CODE Case acLBInitialize ' Initialize. Set rsCompaniesResults = New ADODB.Recordset Set rsCompaniesResults = rsCompanies.Clone ' Or you can simply call the populating records like: ' set rsCompaniesResults = FillCompanies().clone given ' that the function is setup like so: ' Public Function FillCompanies() As Recordset... ' FillCompanies = rsCompanies If .BOF = False Or .EOF = False Then .MoveFirst mvReturnVal = .RecordCount Else mvReturnVal = 0 End If Case acLBOpen ' Open. mvReturnVal = Timer ' Generate unique ID for control. gvComboTimer = mvReturnVal Case acLBGetRowCount ' Get number of rows. mvReturnVal = .RecordCount Case acLBGetColumnCount ' Get number of columns. mvReturnVal = ctlBox.ColumnCount Case acLBGetColumnWidth ' Column width. mvReturnVal = -1 ' -1 forces use of default width. Case acLBGetFormat ' Get format mvReturnVal = -1 Case acLBGetValue ' Get data. .MoveFirst .Move (row) mvReturnVal = .Fields(col) End Select End With FillCompanyList = mvReturnVal Exit_FillCompanyList: Exit Function Err_FillCompanyList: 'Handles error situation caused an apparent unrelated error(s) 'generated in other modules. (It loses its brains...) If Err.Number <> 91 Then ShowErrMsg "FillCompanyList" End If Resume Exit_FillCompanyList End Function Note: Using clone does not make another copy of the data but makes another pointer to the data. Within the List box Row Source insert the name of the function. I.e: FillCompanyList HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 31 16:13:06 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 31 Oct 2007 14:13:06 -0700 Subject: [AccessD] form doesn't save In-Reply-To: <004c01c81bfe$94273620$4b3a8343@SusanOne> References: <004c01c81bfe$94273620$4b3a8343@SusanOne> Message-ID: As I recall, you have to be in design view to permanently change the values in the value list. You'd be better off storing the values in a table instead if you want to allow the users to permanently add a value. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 31, 2007 1:43 PM To: AccessD at databaseadvisors.com Subject: [AccessD] form doesn't save The following is a simple event procedure that updates a value list combo with user input. It works fine. The problem is, the form won't save the new item. The next time you open the form, the newly added item's gone. It's kind of like, the form doesn't think there's anything to change, because I don't get the Save prompt. Susan H. Private Sub cboMetals_NotInList(NewData As String, _ Response As Integer) 'Update value list with user input. On Error GoTo ErrHandler Dim bytUpdate As Byte bytUpdate = MsgBox("Do you want to add " & _ cboMetals.Value & " to the list?", _ vbYesNo, "Non-list item!") 'Add user input If bytUpdate = vbYes Then Response = acDataErrAdded cboMetals.AddItem NewData 'Update RowSource property for 'XP and older. 'cboMetals.RowSource = _ ' cboMetals.RowSource _ ' & ";" & NewData 'Save updated list. DoCmd.Save acForm, "ValueList" 'Don't add user input Else Response = acDataErrContinue cboMetals.Undo End If Exit Sub ErrHandler: MsgBox Err.Number & ": " & Err.Description, _ vbOKOnly, "Error" End Sub -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 31 16:31:10 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 31 Oct 2007 14:31:10 -0700 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> John: I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? I found that a pop up form will auto center at the design resolution of 800 x 600 but when I change the resolution to 1280 x 960 it appears shifted way to the left and down. SO I need to get the initial position and adjust it by the ratio of the design resolution to the current resolution. Thanks and best, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 12:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.14/1100 - Release Date: 10/30/2007 6:26 PM From jengross at gte.net Wed Oct 31 16:58:20 2007 From: jengross at gte.net (Jennifer Gross) Date: Wed, 31 Oct 2007 14:58:20 -0700 Subject: [AccessD] A2K and Office 2003 Message-ID: <00eb01c81c09$29e5f980$6501a8c0@jefferson> Happy Halloween Everyone, I have a client that for reasons relating to Outlook has updated their systems to Office 2003, without Access 2003, while leaving Access 2000 so that my databases can run. I don't want to move the databases to Access 2003 because they are running fine in A2K and have been for years. However, they are running into some bumps in the road, particularly with exporting to Excel using Tools > Office Links. If anybody has an tips regarding the co-existence of Office 2003 with Access 2000 I would greatly appreciate it. Thank you, Jennifer Gross databasics Newbury Park, CA office: (805) 480-1921 fax: (805) 499-0467 From ssharkins at gmail.com Wed Oct 31 16:20:02 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 31 Oct 2007 17:20:02 -0400 Subject: [AccessD] form doesn't save References: <004c01c81bfe$94273620$4b3a8343@SusanOne> Message-ID: <007101c81c09$3ea91190$4b3a8343@SusanOne> > As I recall, you have to be in design view to permanently change the > values in the value list. You'd be better off storing the values in a > table instead if you want to allow the users to permanently add a value. =======It's just an example of "how-to" Charlotte, not something I have to actually make work, but I didn't know the bit about being in Design view to permanently change the value list -- that would make perfect sense. I hadn't thought to check that, just figured it was the Save method -- something I was doing wrong. Susan H. From cfoust at infostatsystems.com Wed Oct 31 17:07:26 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 31 Oct 2007 15:07:26 -0700 Subject: [AccessD] form doesn't save In-Reply-To: <007101c81c09$3ea91190$4b3a8343@SusanOne> References: <004c01c81bfe$94273620$4b3a8343@SusanOne> <007101c81c09$3ea91190$4b3a8343@SusanOne> Message-ID: I haven't worked with a value list in so long, I've forgotten how they behave, but there is an AllowDesignChanges property of forms that specifies the view that allows changes, All Views or Design View Only. YOu might be able to switch that in code to save changes to a value list. I've never tried it, and I've always allowed Design View Only changes, but it might be worth a try. Charlotte -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 31, 2007 2:20 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] form doesn't save > As I recall, you have to be in design view to permanently change the > values in the value list. You'd be better off storing the values in a > table instead if you want to allow the users to permanently add a value. =======It's just an example of "how-to" Charlotte, not something I have to actually make work, but I didn't know the bit about being in Design view to permanently change the value list -- that would make perfect sense. I hadn't thought to check that, just figured it was the Save method -- something I was doing wrong. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 31 17:13:23 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 15:13:23 -0700 Subject: [AccessD] SQL Server observed performance In-Reply-To: Message-ID: My son-in-law is the senior designer and builder of a web site using MySQL with the Falcon engine. He is claiming that his site receives an excess of 200,000 hits per day. (The site pages are totally database driven). He is not sure what the maximum hit level is but the system seems to have room to spare and has so far not flinched. It seems like an awesome engine and approaches the performance of a well tuned MS SQL DB. It would be interesting to see a side by side performance test where all things are equal and see where each tops out. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 31, 2007 10:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] SQL Server observed performance Hi all It appears that the new Falcon engine of MySQL has improved regarding speed of inserts: http://blogs.mysql.com/robin/2007/10/03/improved-handling-of-large-falcon-tr ansactions/ This equals to about 48,000 records per second which is approaching that of loading a file directly (link below). I guess no index can be present to reach this speed. /gustav >>> Gustav at cactus.dk 31-10-2006 18:03 >>> Hi John Under some specific conditions you could easily increase import speed about 20 fold with MySQL: http://databaseadvisors.com/mailman/htdig/accessd/2006-May/043865.html And "modest hardware" indeed: IBM PC300, 266 MHz CPU, 256 MB ram, one IDE drive. Of course, you would need to build indices etc. later, but still ... /gustav >>> jwcolby at colbyconsulting.com 31-10-2006 17:20:43 >>> I thought you guys might find this interesting. I have a database that I imported a couple of years ago. On a single processor 3 ghz AMD64 running 2 mbytes of memory, using (4) individual IDE 250gb hard drives (no raid) the system would import ~ 1000 rows per second into SQL Server. Each text file was ~10 gbytes, consisted of ~700 fields and 3 million records per file. Each field was originally padded right with spaces (comma delimited, but fixed width). This time around, I built an Access (really just VBA) preprocessor to open each file, read it line by line, strip all of the padding off the left and right sides (there was some left padding as well) and write it back out to another file. This dropped the average text file size to ~ 6.5 gbytes, which leaves us with average padding of well over 35%. It also left the resulting data in the unpadded after importing into SQL Server which makes sorts / searches and indexes possible. Anyway, after stripping all of this padding and building new files, I am now importing these into my new server which is a AMD64 X2 dual processor 3.8 ghz with 2 gbytes of ram. The disk subsystem is now a pair of volumes hosted on a raid 6 array, 1 tbyte for the main data store and ~400 gb for the temp databases. The new system imports the new (stripped) data files at about 3000 records per second. I have to run 3 imports at a time to keep both cores above 90% usage. Running 3 imports at a time, the imports happen roughly at 2k records / second FOR EACH IMPORT. Oddly, if I run more than 4 imports at a time, the processor usage drops back to ~70% for some reason and in fact each import slows to ~500 imports / second. This may have to do with the limits of disk streaming off of the machine that holds the source text files. The source files come from a second machine, all the files on the same disk / directory, over a 1ghz network (switch). I am happy to say though that the new dual processor server appears to be able to perform this specific task ~3 to 6 times as fast which is a huge and much needed performance boost. The other advantage to this configuration is that I am no longer playing games splitting the database up into smaller files residing on individual hard drives, and of course, the whole thing is using raid 6 which provides much needed security. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 31 17:15:02 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 17:15:02 -0500 Subject: [AccessD] Form Position In-Reply-To: <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq><00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> Message-ID: <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> http://www.lebans.com/openform.htm good luck -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? From kp at sdsonline.net Wed Oct 31 17:41:05 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Thu, 1 Nov 2007 09:41:05 +1100 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE References: Message-ID: <007501c81c0f$206b76e0$6701a8c0@DELLAPTOP> And this is another great summary of what's good, bad, gone and buggy in 2007: http://www.everythingaccess.com/tutorials.asp?ID=The-lowdown-on-Access-2007 Kath ----- Original Message ----- From: "Hale, Jim" To: Sent: Wednesday, October 31, 2007 1:02 AM Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE > http://office.microsoft.com/en-us/access/HA102388991033.aspx > > I just ran across this. > Jim Hale > > > *********************************************************************** > The information transmitted is intended solely for the individual or > entity to which it is addressed and may contain confidential and/or > privileged material. Any review, retransmission, dissemination or > other use of or taking action in reliance upon this information by > persons or entities other than the intended recipient is prohibited. > If you have received this email in error please contact the sender and > delete the material from any computer. As a recipient of this email, > you are responsible for screening its contents and the contents of any > attachments for the presence of viruses. No liability is accepted for > any damages caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Wed Oct 31 18:15:34 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 31 Oct 2007 16:15:34 -0700 Subject: [AccessD] Form Position In-Reply-To: <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq><00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq><008401c81c05$5b6fd8d0$0301a8c0@HAL9005> <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> Message-ID: <00a801c81c13$f0ff5200$0301a8c0@HAL9005> Got it. Thanks. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 3:15 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position http://www.lebans.com/openform.htm good luck -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.14/1100 - Release Date: 10/30/2007 6:26 PM From darren at activebilling.com.au Wed Oct 31 21:01:19 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 1 Nov 2007 13:01:19 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <054781CF8ED948F797CE5E75B02C58E0@creativesystemdesigns.com> Message-ID: <200711010201.lA121Ea9026644@databaseadvisors.com> Hi Jim Brilliant - I am experimenting with this type of thing a lot and was going to start asking questions about Stored Procedures - thank you very much DD -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Thursday, 1 November 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Here is a code sample that I would use to fill a list box: Public Function FillCompanyList(ctlBox As Control, Id As Variant, row As Variant, col As Variant, CODE As Variant) As Variant 'Common Combo and List box fill function. 'Assumes rsCasinoCompany recordset is the supplied data and has 'equal or more fields than required in the control. On Error GoTo Err_FillCompanyList Dim mvReturnVal As Variant mvReturnVal = Null With rsCompaniesResults Select Case CODE Case acLBInitialize ' Initialize. Set rsCompaniesResults = New ADODB.Recordset Set rsCompaniesResults = rsCompanies.Clone ' Or you can simply call the populating records like: ' set rsCompaniesResults = FillCompanies().clone given ' that the function is setup like so: ' Public Function FillCompanies() As Recordset... ' FillCompanies = rsCompanies If .BOF = False Or .EOF = False Then .MoveFirst mvReturnVal = .RecordCount Else mvReturnVal = 0 End If Case acLBOpen ' Open. mvReturnVal = Timer ' Generate unique ID for control. gvComboTimer = mvReturnVal Case acLBGetRowCount ' Get number of rows. mvReturnVal = .RecordCount Case acLBGetColumnCount ' Get number of columns. mvReturnVal = ctlBox.ColumnCount Case acLBGetColumnWidth ' Column width. mvReturnVal = -1 ' -1 forces use of default width. Case acLBGetFormat ' Get format mvReturnVal = -1 Case acLBGetValue ' Get data. .MoveFirst .Move (row) mvReturnVal = .Fields(col) End Select End With FillCompanyList = mvReturnVal Exit_FillCompanyList: Exit Function Err_FillCompanyList: 'Handles error situation caused an apparent unrelated error(s) 'generated in other modules. (It loses its brains...) If Err.Number <> 91 Then ShowErrMsg "FillCompanyList" End If Resume Exit_FillCompanyList End Function Note: Using clone does not make another copy of the data but makes another pointer to the data. Within the List box Row Source insert the name of the function. I.e: FillCompanyList HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From stuart at lexacorp.com.pg Mon Oct 1 01:50:15 2007 From: stuart at lexacorp.com.pg (Stuart McLachlan) Date: Mon, 01 Oct 2007 16:50:15 +1000 Subject: [AccessD] Totals on a crosstab query In-Reply-To: <29f585dd0709300708i192982d9v426188a44db3fdb3@mail.gmail.com> References: <29f585dd0709300708i192982d9v426188a44db3fdb3@mail.gmail.com> Message-ID: <470098A7.32029.8B72F886@stuart.lexacorp.com.pg> On 30 Sep 2007 at 10:08, Arthur Fuller wrote: > The xtab in question lists horses on the rows and lesson types on the > columns (i.e. private, semi-private, group), then populates the columns with > counts for the number of lessons per horse per lesson type. No problem so > far. But the specs call for vertical totals of the columns, and I cannot > figure out how to do them with the xtab wizard. What I need is a sum of > each of the columns to be presented as the bottom row (i.e sum of private, > semi-private and group columns, including all horses). > > Any suggestions gratefully accepted. In a pure query, you would need to use a UNION of the crosstab with a second "SELECT DISTINCT...SUM(...).......GROUP BY...." query. If you base a report on the query, you can have a Footer section where you can do the totalling. From Gustav at cactus.dk Mon Oct 1 03:25:30 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:25:30 +0200 Subject: [AccessD] A2K - Locking Problem Message-ID: Hi Robert and Reuben But wasn't that patch (from April, 2005) included in Win2003 SP2? Service pack information To resolve this problem, obtain the latest service pack for Windows Server 2003. .. If so, Reuben, this means that the notwork guys didn't update the server. And if so, what do they think SPs are for? /gustav >>> robert at servicexp.com 28-09-2007 23:55 >>> Reuben, I struggled for a looooooong time with what sounds like the same error. I just happened across a MS KB about the problem. Had my users install the patches and problem solved. http://support.microsoft.com/kb/895751 If you need the patch's (Win 2003 & XP) I believe I still have them.. WBR Robert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings Sent: Friday, September 28, 2007 9:54 AM To: AccessD Subject: [AccessD] A2K - Locking Problem I have a client that is receiving messages stating "The Microsoft Jet Database engine stopped the process because you..." Basically trying to say that the record has been edited by someone else. This has happened several times lately. There is always a .ldb hangin around after closing the app (by all users - there are 4 users). This is occurring even if only one person is using the app. And even then the ldb is still not deleted. Any ideas? Reuben Cummings GFC, LLC 812.523.1017 From Gustav at cactus.dk Mon Oct 1 03:56:53 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:56:53 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... From max.wanadoo at gmail.com Mon Oct 1 03:58:40 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 09:58:40 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: <001801c80367$d1ceb980$6501a8c0@nant> Message-ID: <000c01c80409$441b0f60$8119fea9@LTVM> Hi Shamil, Personnally, I think that you have probably achieved the fast time possible. Although I don't think you have replicated my VBA code exactly, also I don't know why your Dell runs faster than mine? I have posted the code here: http://www.peoplelinks.co.uk/msaccess/downloads/CamelCase.zip With some comments at the top of the code section with regard to my system setup. Interesting exercise though. No doubt there will be others out there who can improve on the VBA Code. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 2:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max, I have programmed some more string jamming strategies, code is below. It's interesting to note that the most obvious programming (StringJammer4), which assumes that only alphabetic chars should be left and all the other should be stripped out, is running as quick as the most generic one (StringJammer3), which can use whatever set will be defined as the set of the chars to be left in the result string. It's also interesting to note that when millions iterations are "at stake" then very subtle code differences can result in clearly visible/countable time execution gains, e.g. checking that a char is in uppercase and NOT calling ToUpper function works about 1 second faster on one million iterations than the code, which just always calls ToUpper function. I expect that the most generic solution (StringJammer3) can be made even faster without going to C++ or Assmebler if somehow implement it using inline coding instead of delegate function calls - of course this generic solution has to be considerably refactored to achieve this goal: the gain I'd expect could be about 2 sec for one million iterations (it's about 4 sec now). From practical point of view this gain looks very small(?) to take into account but such kind of "manual coding optimization exercises" are rather valuable to polish programming skills. Your VBA code runs here 3 min 24 seconds under MS Access VBA IDE for the same set of the test strings, which is used in the below C# code: - 4 sec vs. 204 sec. (3 min. 24 sec.) => 51 times quicker Shamil P.S. the code: using System; using System.Collections.Generic; using System.Text; using System.Text.RegularExpressions; namespace StringJammerTestConsoleApplication { /// /// StringJammer abstract class /// public unsafe abstract class StringJammer { protected static byte[] sieve = new byte[256]; protected void Init() { sieve.Initialize(); for (uint i = (int)'A'; i <= (int)'Z'; i++) sieve[i] = 1; for (uint i = (int)'a'; i <= (int)'z'; i++) sieve[i] = 1; copyProcs.Initialize(); for (int i = 0; i < copyProcs.Length; i++) { if ((i >= (int)'A') && (i <= (int)'Z') || (i >= (int)'a') && (i <= (int)'z')) copyProcs[i] = copyChar; else copyProcs[i] = dummyCopyChar; } } public abstract void Jam(ref string stringToJam); protected static copyCharDelegate[] copyProcs = new copyCharDelegate[256]; protected delegate void copyCharDelegate(char* c, ref int i, ref int j, ref bool upperCase); protected static void copyChar(char* c, ref int i, ref int j, ref bool upperCase) { Char cc = c[i++]; if (upperCase) { if (Char.IsUpper(cc)) c[j++] = cc; else c[j++] = Char.ToUpper(cc); upperCase = false; } else { if (char.IsLower(cc)) c[j++] = cc; else c[j++] = Char.ToLower(cc); } } protected static void dummyCopyChar(char* c, ref int i, ref int j, ref bool upperCase) { c[i++] = Char.MinValue; if (!upperCase ) upperCase = true; } } /// /// StringJammer1 class - first string jamming strategy /// public class StringJammer1 : StringJammer { public StringJammer1() { Init(); } public override void Jam(ref string stringToJam) { StringBuilder result = new StringBuilder(stringToJam.Length); bool upperCase = true; foreach (char c in stringToJam.ToCharArray()) { if (sieve[(int)c] == 0) upperCase = true; else if (upperCase) { result.Append(c.ToString().ToUpper()); upperCase = false; } else result.Append(c.ToString().ToLower()); } stringToJam = result.ToString().Trim(); } } /// /// StringJammer2 class - second string jamming strategy /// public class StringJammer2 : StringJammer { public StringJammer2() { Init(); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) { if (sieve[c[i]] == 0) { c[i++] = ' '; upperCase = true; } else if (upperCase) { c[j++] = Char.ToUpper(c[i++]); upperCase = false; } else { c[j++] = Char.ToLower(c[i++]); } } while (j < stringToJam.Length) c[j++] = ' '; } stringToJam = stringToJam.Trim(); } } } /// /// StringJammer3 class - third string jamming strategy /// public class StringJammer3 : StringJammer { public StringJammer3() { Init(); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) copyProcs[c[i]](c, ref i, ref j, ref upperCase); while (j < stringToJam.Length) c[j++] = Char.MinValue; } stringToJam = stringToJam.Trim(Char.MinValue); } } } /// /// StringJammer4 class - fourth string jamming strategy /// public class StringJammer4 : StringJammer { public StringJammer4() { Init(); } private bool isNotJammable(char c) { return Char.IsLetter(c); } public override void Jam(ref string stringToJam) { unsafe { fixed (char* c = stringToJam) { bool upperCase = true; int i = 0, j = 0; while (i < stringToJam.Length) { char cc = c[i++]; //if (Char.IsLetter(cc)) if (isNotJammable(cc)) { if (upperCase) { if (Char.IsUpper(cc)) c[j++] = cc; else c[j++] = Char.ToUpper(cc); upperCase = false; } else { if (Char.IsLower(cc)) c[j++] = cc; else c[j++] = Char.ToLower(cc); } } else upperCase = true; } while (j < stringToJam.Length) c[j++] = Char.MinValue; } stringToJam = stringToJam.Trim(Char.MinValue); } } } /// /// Test /// class Program { static void Main(string[] args) { const long MAX_CYCLES = 1000000; string[] test = { " # hey#hey#Hey,hello_world$%#=======", "@#$this#is_a_test_of_the-emer=======", "gency-broadcast-system $()# " }; StringJammer[] jummers = { new StringJammer1(), new StringJammer2(), new StringJammer3(), new StringJammer4() }; for (int k = 0; k < jummers.Length; k++) { long cyclesQty = MAX_CYCLES; Console.WriteLine("+ {0}\n {1:D} cycles started at {2}", jummers[k].GetType().ToString(), MAX_CYCLES, DateTime.Now.ToLongTimeString()); while (cyclesQty > 0) { for (int i = 0; i < test.Length; i++) { string result = new StringBuilder(test[i]).ToString(); jummers[k].Jam(ref result); if (cyclesQty == MAX_CYCLES) { Console.WriteLine(test[i] + " => {" + result + "}"); } } --cyclesQty; } Console.WriteLine("- {0}\n {1:D} cycles finished at {2}\n", jummers[k].GetType().ToString(), MAX_CYCLES, DateTime.Now.ToLongTimeString()); } Console.WriteLine("Press any key to continue..."); Console.ReadKey(); } } } + StringJammerTestConsoleApplication.StringJammer1 1000000 cycles started at 13:09:56 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer1 1000000 cycles finished at 13:10:15 + StringJammerTestConsoleApplication.StringJammer2 1000000 cycles started at 13:10:15 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer2 1000000 cycles finished at 13:10:21 + StringJammerTestConsoleApplication.StringJammer3 1000000 cycles started at 13:10:21 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer3 1000000 cycles finished at 13:10:25 + StringJammerTestConsoleApplication.StringJammer4 1000000 cycles started at 13:10:25 # hey#hey#Hey,hello_world$%#======= => {HeyHeyHeyHelloWorld} @#$this#is_a_test_of_the-emer======= => {ThisIsATestOfTheEmer} gency-broadcast-system $()# => {GencyBroadcastSystem} - StringJammerTestConsoleApplication.StringJammer4 1000000 cycles finished at 13:10:29 -- Shamil -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Sunday, September 30, 2007 12:53 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max <<>> -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 1 03:59:31 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 10:59:31 +0200 Subject: [AccessD] Totals on a crosstab query Message-ID: Hi Arthur You could use a Union Query for this. Union the query you have with another one like that but without any grouping. /gustav >>> fuller.artful at gmail.com 30-09-2007 16:08 >>> The xtab in question lists horses on the rows and lesson types on the columns (i.e. private, semi-private, group), then populates the columns with counts for the number of lessons per horse per lesson type. No problem so far. But the specs call for vertical totals of the columns, and I cannot figure out how to do them with the xtab wizard. What I need is a sum of each of the columns to be presented as the bottom row (i.e sum of private, semi-private and group columns, including all horses). Any suggestions gratefully accepted. Arthur From Gustav at cactus.dk Mon Oct 1 04:02:23 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 11:02:23 +0200 Subject: [AccessD] Totals on a crosstab query Message-ID: Hi Stuart Looks like we agree! I hadn't read your post before answering Arthur's request. /gustav >>> stuart at lexacorp.com.pg 01-10-2007 08:50 >>> On 30 Sep 2007 at 10:08, Arthur Fuller wrote: > The xtab in question lists horses on the rows and lesson types on the > columns (i.e. private, semi-private, group), then populates the columns with > counts for the number of lessons per horse per lesson type. No problem so > far. But the specs call for vertical totals of the columns, and I cannot > figure out how to do them with the xtab wizard. What I need is a sum of > each of the columns to be presented as the bottom row (i.e sum of private, > semi-private and group columns, including all horses). > > Any suggestions gratefully accepted. In a pure query, you would need to use a UNION of the crosstab with a second "SELECT DISTINCT...SUM(...).......GROUP BY...." query. If you base a report on the query, you can have a Footer section where you can do the totalling. From max.wanadoo at gmail.com Mon Oct 1 05:34:00 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 11:34:00 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <002d01c80416$94e2eaf0$8119fea9@LTVM> Hi Gustav, I have tried your version of poking the values into a string using the MID. The results is 31 seconds LONGER than the previous verions. Both version are below. Identical (I think) apart from the poking bit. Max Option Compare Database Option Explicit Const conBadChars As String = "!?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conIterations As Long = 1000000 ' one million iterations Function CamelCaseBestSoFar4VBAPoking() ' This times at 4 mins 16 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) strBit = LCase(Mid(str2Parse, iLenLoop, 1)) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function Function CamelCaseBestSoFar4VBA() ' This times at 3 mins 45 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = "" For iLenLoop = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLenLoop 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 9:57 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of > RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From robert at servicexp.com Mon Oct 1 06:21:28 2007 From: robert at servicexp.com (Robert) Date: Mon, 01 Oct 2007 07:21:28 -0400 Subject: [AccessD] A2K - Locking Problem In-Reply-To: References: Message-ID: <4700D838.8020509@servicexp.com> -----BEGIN PGP SIGNED MESSAGE----- Hash: SHA1 Gustav, I don't believe so. My users machines were fully patched, with the problem. I don't believe that I discovered the solution until early this year. I do remember posting a "Heads Up" here a few weeks after I confirmed the patch worked. I had to call MS for the patches, as it was not openly available at the time. I would think by now though, the patches would have been rolled up into an open released patch. If I remember correctly, there was a newer version of Jet in the patch.. WBR Robert Gustav Brock wrote: > Hi Robert and Reuben > > But wasn't that patch (from April, 2005) included in Win2003 SP2? > > > Service pack information > To resolve this problem, obtain the latest service pack for Windows Server 2003. .. > > > If so, Reuben, this means that the notwork guys didn't update the server. And if so, what do they think SPs are for? > > /gustav > >>>> robert at servicexp.com 28-09-2007 23:55 >>> > Reuben, > I struggled for a looooooong time with what sounds like the same error. I > just happened across a MS KB about the problem. Had my users install the > patches and problem solved. > > > http://support.microsoft.com/kb/895751 > > > If you need the patch's (Win 2003 & XP) I believe I still have them.. > > > > WBR > Robert > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings > Sent: Friday, September 28, 2007 9:54 AM > To: AccessD > Subject: [AccessD] A2K - Locking Problem > > I have a client that is receiving messages stating "The Microsoft Jet > Database engine stopped the process because you..." Basically trying to say > that the record has been edited by someone else. > > This has happened several times lately. There is always a .ldb hangin > around after closing the app (by all users - there are 4 users). This is > occurring even if only one person is using the app. And even then the ldb > is still not deleted. > > Any ideas? > > Reuben Cummings > GFC, LLC > 812.523.1017 > > -----BEGIN PGP SIGNATURE----- Version: GnuPG v1.4.7 (MingW32) Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org iD8DBQFHANg472dSYCwH8FQRAmDkAKCIbGZr7sA1S/B79GNfelyU5C2UIQCgsBW6 ohvmWKsOVZMbBBILXGWT1Fs= =mmDV -----END PGP SIGNATURE----- From Gustav at cactus.dk Mon Oct 1 07:11:06 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 14:11:06 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max No, they are not identical. Here is the corrected version which now runs slightly faster: Function CamelCaseBestSoFar4VBAPoking() ' ' This times at 4 mins 16 seconds ' This times at 3 mins 40 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars ' str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = Space(Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) ' strBit = LCase(Mid(str2Parse, iLenLoop, 1)) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function /gustav >>> max.wanadoo at gmail.com 01-10-2007 12:34 >>> Hi Gustav, I have tried your version of poking the values into a string using the MID. The results is 31 seconds LONGER than the previous verions. Both version are below. Identical (I think) apart from the poking bit. Max Option Compare Database Option Explicit Const conBadChars As String = "!?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conIterations As Long = 1000000 ' one million iterations Function CamelCaseBestSoFar4VBAPoking() ' This times at 4 mins 16 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) strBit = LCase(Mid(str2Parse, iLenLoop, 1)) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function Function CamelCaseBestSoFar4VBA() ' This times at 3 mins 45 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = "" For iLenLoop = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLenLoop 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 9:57 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav >>> max.wanadoo at gmail.com 30-09-2007 10:52 >>> Hi Shamil, Clearly your compiled solution is by way and far the quickest solution. I have tried all sorts of VBA solutions including looking at XOR, IMP, EQV, bitwise solutions, but there overheads were considerable. The best I can come up with in VBA is below. One million iterations on my Dell Inspiron comes in at 3 min 52 secs. If John didn't want to Hump it, then RegExpr appears to be the answer within pure VBA Max Function dbc2() Const conGoodChars As String = "abcdefghijklmnopqrstuvwxyz" ' valid characters Const conBadChars As String = "?$%^&*()_-+@'#~?><|\, " ' space also in this string Const conLoops As Long = 1000000 Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVars As Integer, iVarLoop As Integer Dim iLen As Integer, strTemp As String, bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5) varStr(1) = "John colby " varStr(2) = "%idiotic_Field*name&!@" varStr(3) = " # hey#hey#Hey,hello_world$%#" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" varStr(5) = "thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conLoops For iVarLoop = 1 To iVars strResult = "" str2Parse = LCase(varStr(iVarLoop)) str2Parse = UCase(Left(str2Parse, 1)) & Mid(str2Parse, 2) For iLen = 1 To Len(str2Parse) strBit = Mid(str2Parse, iLen, 1) If InStr(conBadChars, strBit) = 0 Then If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False strResult = strResult & strBit Else bFlipCase = True End If Next iLen 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime MsgBox tLapsedTime: Debug.Print tLapsedTime End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Sunday, September 30, 2007 9:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. >>> Hi Mike, That's clear, and the John's task is to get the speediest solution. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael Bahr Sent: Sunday, September 30, 2007 6:42 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Shamil, yes regex's are slower in .Net due to I believe all the objects overhead. For simple string operations regexes would probrably not be effiecent BUT would be easier to write. However for more complicated string operations like validating an email address, a regex would be very suitable and doable in one line vs. many, many lines the other way. Mike... > Hi All, > > I wanted to note: I have seen somewhere an article about RegEx being > considerably slower than a mere strings comparison etc. I cannot find > this article now, can you? > > Here is a similar article on ColdFusion and Java (watch line wraps) - > > http://www.bennadel.com/blog/410-Regular-Expression-Finds-vs-String-Finds.ht > m > > The info above should be also true for C#/VB.NET (just remember there > are no miracles in this world)... > > John, this could be critical information for you because of your > computers processing zillion gigabytes of data - if that slowness of > RegEx vs. > string > comparison operation proves to be true then mere chars/strings > comparison and simple iteration over source string's char array could > be the most effective solution, which will save you hours and hours of computing time: > > - define a 256 bytes long table (I guess you use extended ASCII (256 > chars > max) only John - right?) with to be stripped out chars marked by 1; > - define upperCase flag; > - allocate destination string, which is as long as the source one - > use StringBuilder; > - iterate source string and use current char's ASCII code as an index > of a cell of array mentioned above: > a) if the array's cell has value > 0 then the source char should > be stripped out/skipped; set uppercase flag = true; > b) if the array's cell has zero value and uppercase flag = true > then uppercase current source char and copy it to the destination > StringBuilder's; set uppercase flag = false; > c) if the array's cell has zero value and uppercase flag = false > then lower case current source char and copy it to the destination > StringBuilder's string; > > > Here is C# code: > > > private static string[] delimiters = " > |%|*|$|@|!|#|&|^|_|-|,|.|;|:|(|)".Split('|'); > private static byte[] sieve = new byte[255]; private static bool > initialized = false; static void JamOutBadChars() { if (!initialized) > { > sieve.Initialize(); > foreach (string delimiter in delimiters) > { > sieve[(int)delimiter.Substring(0, 1).ToCharArray()[0]] = 1; > } > initialized = true; > } > string[] test = {"John colby ", > "%idiotic_Field*name&!@", > " # hey#hey#Hey,hello_world$%#", > "@#$this#is_a_test_of_the-emergency-broadcast-system "}; > > foreach (string source in test) > { > StringBuilder result = new StringBuilder(source.Length); > bool upperCase = true; > foreach (char c in source.ToCharArray()) > { > if (sieve[(int)c] > 0) upperCase = true; > else if (upperCase) > { > result.Append(c.ToString().ToUpper()); > upperCase = false; > } > else result.Append(c.ToString().ToLower()); > } > Console.WriteLine(source + " => {" + result + "}"); } } > > -- > Shamil > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael > Bahr > Sent: Friday, September 28, 2007 10:25 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Use Regex - Create Camel Case > > Hi John, here is one way to do it (although there are many ways to get > the same end result). Mind you this is air code but hopefully should > be enough to get you going. You will need to create the main loop > within your code. > > Create a list of all delimiters that are used in your CSV files such > as delimiters = '%|*|$|@|!|#|&|^|_|-|,|.|;|:| ' > > then run through your CSV files line by line evaluating the line > saving the line into an array thisarray = Split(line, delimiters) > > then run through the array performing a Ucase on the first letter of > each word newline = "" > For item=1 to ubound > newline = newline & whatEverToCapFirstChar(item) Next item > > where ubound is the array size > > > Now here are two scripts that do the same thing, one is Perl and the > other is TCL. Both of these languages are open source and free and > can be gotten at http://www.activestate.com/Products/languages.plex > > Perl: > > my $delimiters = '/:| |\%|\*|\$|\@|\!|\#|\&|^|_|-|,|\./'; > my @test = ("John colby", > "%idiotic_Field*name", > "hey#hey#Hey,hello_world", > "this#is_a_test_of_the-emergency-broadcast-system"); > > foreach my $item (@test) { > my $temp = ""; > my @list = split ($delimiters, $item); > foreach my $thing (@list) { > $temp .= ucfirst($thing); > } > print "$temp\n"; > > } > > Result > d:\Perl>pascalcase.pl > JohnColby > IdioticFieldName > HeyHeyHeyHelloWorld > ThisIsATestOfTheEmergencyBroadcastSystem > > TCL: > > set delimiters {%|*|$|@|!|#|&|^|_|-|,|.|;|:|\ "} set test [list {John > colby} {%idiotic_Field*name} {hey#hey#Hey,hello_world} > {this#is_a_test_of_the-emergency-broadcast-system}] > > > foreach item $test { > set str "" > set mylist [split $item, $delimiters] > foreach thing $mylist { > set s [string totitle $thing] > set str "$str$s" > } > puts $str > > } > > Results > D:\VisualTcl\Projects>tclsh pascalcase.tcl JohnColby IdioticFieldName > HeyHeyHeyHelloWorld ThisIsATestOfTheEmergencyBroadcastSystem > > > hth, Mike... From max.wanadoo at gmail.com Mon Oct 1 07:47:01 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 13:47:01 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <000301c80429$2a8504f0$8119fea9@LTVM> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 1:11 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max No, they are not identical. Here is the corrected version which now runs slightly faster: Function CamelCaseBestSoFar4VBAPoking() ' ' This times at 4 mins 16 seconds ' This times at 3 mins 40 seconds Dim tStartTime As Date, tEndTime As Date, tLapsedTime As Date, iLoop As Long, iVarLoop As Integer Dim iLenLoop As Integer, iVars As Integer Dim bFlipCase As Boolean, str2Parse As String, strResult As String, strBit As String Dim varStr(5), lngPos As Long varStr(1) = "John colby " ' Result wanted: "JohnColby" varStr(2) = "%idiotic_Field*name&!@" ' Result wanted: "IdioticFieldName" varStr(3) = " # hey#hey#Hey,hello_world$%#" ' Result wanted: "HeyHeyHeyHelloWorld" varStr(4) = "@#$this#is_a_test_of_the-emerGency-broadcast-system" ' Result wanted: "ThisIsATestOftheEmergencyBroadcastSystem" varStr(5) = "thisisastringwithnobadchars" ' Result wanted: "Thisisastringwithnobadchars" iVars = 5 tStartTime = Now For iLoop = 1 To conIterations For iVarLoop = 1 To iVars ' str2Parse = varStr(iVarLoop): bFlipCase = True: strResult = Left(Space(255), Len(str2Parse)): lngPos = 0 str2Parse = LCase(varStr(iVarLoop)): bFlipCase = True: strResult = Space(Len(str2Parse)): lngPos = 0 For iLenLoop = 1 To Len(str2Parse) ' strBit = LCase(Mid(str2Parse, iLenLoop, 1)) strBit = Mid(str2Parse, iLenLoop, 1) If InStr(conBadChars, strBit) = 0 Then lngPos = lngPos + 1 If bFlipCase = True Then strBit = UCase(strBit): bFlipCase = False Mid(strResult, lngPos, 1) = strBit Else bFlipCase = True End If Next iLenLoop strResult = Trim(strResult) ' drop any spaces left in string 'Debug.Print strResult Next iVarLoop Next iLoop tEndTime = Now tLapsedTime = tEndTime - tStartTime 'MsgBox tLapsedTime: Debug.Print tLapsedTime End Function /gustav From Gustav at cactus.dk Mon Oct 1 07:57:59 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 14:57:59 +0200 Subject: [AccessD] Use Regex - Create Camel Case Message-ID: Hi Max Fine. Now try with a string of, say, 8K ... Hint: Reduce conIterations by a 10- or 100-factor. /gustav >>> max.wanadoo at gmail.com 01-10-2007 14:47 >>> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max From max.wanadoo at gmail.com Mon Oct 1 08:44:08 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 14:44:08 +0100 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <000901c80431$2500d7e0$8119fea9@LTVM> No, need. Faster is faster. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 1:58 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max Fine. Now try with a string of, say, 8K ... Hint: Reduce conIterations by a 10- or 100-factor. /gustav >>> max.wanadoo at gmail.com 01-10-2007 14:47 >>> Thanks Gustav,missed those bits. Poking now completes in 3 min 26 sec Concatenating now completes in 3 mins 41 seconds A diff of 14 secs over 1 million iterations. Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 09:27:38 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 09:27:38 -0500 Subject: [AccessD] Strange Command Button Behavior Message-ID: I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. From fuller.artful at gmail.com Mon Oct 1 10:20:01 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 11:20:01 -0400 Subject: [AccessD] Command to access the switchboard manager Message-ID: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur From askolits at nni.com Mon Oct 1 10:47:29 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 11:47:29 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <003701c80442$5f753a90$0f01a8c0@officexp> My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. From cfoust at infostatsystems.com Mon Oct 1 10:46:04 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 08:46:04 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dw-murphy at cox.net Mon Oct 1 10:51:11 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Mon, 1 Oct 2007 08:51:11 -0700 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> Arthur, Try DoCmd.RunCommand acCmdWindowUnhide doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 8:20 AM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 1 10:53:03 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 01 Oct 2007 17:53:03 +0200 Subject: [AccessD] Strange Command Button Behavior Message-ID: Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 From Chester_Kaup at kindermorgan.com Mon Oct 1 11:01:32 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 11:01:32 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I found what is happening but don't have a solution yet. When I click on the command button to print a report it triggers the on exit event of the startdate or enddate textboxes depending on which one has the focus. The code to print does not run and the report does not print. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 10:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 ? No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 11:07:38 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 11:07:38 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 11:10:04 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 09:10:04 -0700 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <003701c80442$e41679d0$0200a8c0@murphy3234aaf1> Message-ID: That's the database window, not the switchboard manager. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Monday, October 01, 2007 8:51 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Command to access the switchboard manager Arthur, Try DoCmd.RunCommand acCmdWindowUnhide doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 8:20 AM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 11:12:03 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 09:12:03 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Mon Oct 1 11:28:32 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 17:28:32 +0100 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> Message-ID: <005301c80448$1c276780$8119fea9@LTVM> Arthur, Try this. DoCmd.RunCommand acCmdSwitchboardManager Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 4:20 PM To: Access Developers discussion and problem solving Subject: [AccessD] Command to access the switchboard manager Anyone know what the docmd.runcommand is to open the switchboard manager? There is a whole list of these somewhere but I can't seem to find it. TIA. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Donald.A.McGillivray at sprint.com Mon Oct 1 11:41:16 2007 From: Donald.A.McGillivray at sprint.com (McGillivray, Don [IT]) Date: Mon, 1 Oct 2007 11:41:16 -0500 Subject: [AccessD] Adding Caption Property In-Reply-To: <003701c80442$5f753a90$0f01a8c0@officexp> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <003701c80442$5f753a90$0f01a8c0@officexp> Message-ID: Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 11:56:10 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 12:56:10 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: Message-ID: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 1 11:59:41 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 12:59:41 -0400 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <005301c80448$1c276780$8119fea9@LTVM> References: <29f585dd0710010820l3ef42cbai6f55cbf9ab536a69@mail.gmail.com> <005301c80448$1c276780$8119fea9@LTVM> Message-ID: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> Sadly, that one is not listed. I should have mentioned that I tried that. At least until I figure it out, it's available on the menu. On 10/1/07, max.wanadoo at gmail.com wrote: > > Arthur, > Try this. > > DoCmd.RunCommand acCmdSwitchboardManager > > Max > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Monday, October 01, 2007 4:20 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] Command to access the switchboard manager > > Anyone know what the docmd.runcommand is to open the switchboard manager? > > There is a whole list of these somewhere but I can't seem to find it. > > TIA. > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From max.wanadoo at gmail.com Mon Oct 1 12:13:18 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 18:13:18 +0100 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> Message-ID: <006001c8044e$5da34340$8119fea9@LTVM> Hi Arthur, It works for my system (Access 2002-2003) V11.0 SP2 Are you running a different version to me perhaps? Check out the docmd.runcommand options. There are tons there. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 01, 2007 6:00 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Command to access the switchboard manager Sadly, that one is not listed. I should have mentioned that I tried that. At least until I figure it out, it's available on the menu. On 10/1/07, max.wanadoo at gmail.com wrote: > > Arthur, > Try this. > > DoCmd.RunCommand acCmdSwitchboardManager > > Max > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: Monday, October 01, 2007 4:20 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] Command to access the switchboard manager > > Anyone know what the docmd.runcommand is to open the switchboard manager? > > There is a whole list of these somewhere but I can't seem to find it. > > TIA. > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 1 12:39:48 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 1 Oct 2007 13:39:48 -0400 Subject: [AccessD] Command to access the switchboard manager In-Reply-To: <006001c8044e$5da34340$8119fea9@LTVM> References: <29f585dd0710010959w42b0dce2x8110753d1fe8fb1c@mail.gmail.com> <006001c8044e$5da34340$8119fea9@LTVM> Message-ID: <29f585dd0710011039g438cba88w7ce7f9b170006826@mail.gmail.com> That explains it. This app is in Access 2000. Thanks for the clarification. On 10/1/07, max.wanadoo at gmail.com wrote: > > Hi Arthur, > It works for my system (Access 2002-2003) V11.0 SP2 > > Are you running a different version to me perhaps? > > Check out the docmd.runcommand options. There are tons there. > > From andy at minstersystems.co.uk Mon Oct 1 12:53:02 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 1 Oct 2007 18:53:02 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <003701c80442$5f753a90$0f01a8c0@officexp> Message-ID: <008001c80453$e9b77450$2b51d355@minster33c3r25> Hi John Have you tried? Set prop = fld.CreateProperty("Caption") prop.Type=dbText prop.Value="Test Caption" fld.Properties.Append prop -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > John Skolits > Sent: 01 October 2007 16:47 > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Adding Caption Property > > > My objective is to simply add a caption to all my table > fields. I'm sure I'm missing something basic here. I went to > many archives and all the solution seemed similar, but it > still won't work for me. Can anyone tell me what's wrong? > > > > Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field > Dim prop As Dao.Property > > 'Create Table (This Works) > Set dbCurr = CurrentDb() > Set tdf = dbs.CreateTableDef("tbl_TEST") > > 'Create Field (This Works) > Set fld = tdf.CreateField("Test Field" ,dbtext, 255) > tdf.Fields.Append fld > > 'Create the CAPTION property. (This line is accepted) > Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") > > 'Append the property (Breaks Here) > fld.Properties.Append prop > > > Error: Run-time error '3219' - Invlaid operation. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From max.wanadoo at gmail.com Mon Oct 1 13:11:16 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 19:11:16 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> Message-ID: <006a01c80456$78a6e040$8119fea9@LTVM> John, You cannot do that because the property already exists! The CAPTION property is already defined when you create a table. You cannot re-create it. You should be able to do something with this code below. I leave it to you to adapt it to do whatever it is you want. Regards Max Function fSetFieldCaptions() On Error Resume Next Dim dbs As DAO.Database, prp As Property, fld As Field, tbl As DAO.TableDef Set dbs = CurrentDb For Each tbl In dbs.TableDefs If tbl.Name = "Table1" Then For Each fld In tbl.Fields For Each prp In fld.Properties If fld.Name = "Desc" Then If prp.Name = "Caption" Then prp.Value = "MyNewCaptionName" End If End If Next prp Next fld End If Next tbl End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 5:56 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chester_Kaup at kindermorgan.com Mon Oct 1 13:20:24 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Mon, 1 Oct 2007 13:20:24 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 1 13:46:16 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 1 Oct 2007 11:46:16 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 11:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 13:50:44 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 14:50:44 -0400 Subject: [AccessD] Adding Caption Property In-Reply-To: <006a01c80456$78a6e040$8119fea9@LTVM> References: <004201c8044b$f7a6a110$6601a8c0@LaptopXP> <006a01c80456$78a6e040$8119fea9@LTVM> Message-ID: <008d01c8045b$f9423560$0f01a8c0@officexp> Hmmm... Well I tried your code and it did not find the Caption property, unless I had entered its value manually at some point. The tables I'm creating are through VBA and there were never any caption provided. The Caption property is a strange one. It is not part of the field properties unless you create it yourself. (Or enter the caption text using Table Design mode.) If you print out the properties, based on your code, the only ones found are: ValidationText Required AllowZeroLength FieldSize OriginalValue VisibleValue ColumnWidth ColumnOrder ColumnHidden DecimalPlaces DisplayControl GUID -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Monday, October 01, 2007 2:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property John, You cannot do that because the property already exists! The CAPTION property is already defined when you create a table. You cannot re-create it. You should be able to do something with this code below. I leave it to you to adapt it to do whatever it is you want. Regards Max Function fSetFieldCaptions() On Error Resume Next Dim dbs As DAO.Database, prp As Property, fld As Field, tbl As DAO.TableDef Set dbs = CurrentDb For Each tbl In dbs.TableDefs If tbl.Name = "Table1" Then For Each fld In tbl.Fields For Each prp In fld.Properties If fld.Name = "Desc" Then If prp.Name = "Caption" Then prp.Value = "MyNewCaptionName" End If End If Next prp Next fld End If Next tbl End Function -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 5:56 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Actually tried that. Same error. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Monday, October 01, 2007 12:41 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Adding Caption Property Shot in the dark here, but maybe you have to create the caption property for the field BEFORE appending the field to the table. Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Skolits Sent: Monday, October 01, 2007 8:47 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Adding Caption Property My objective is to simply add a caption to all my table fields. I'm sure I'm missing something basic here. I went to many archives and all the solution seemed similar, but it still won't work for me. Can anyone tell me what's wrong? Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim prop As Dao.Property 'Create Table (This Works) Set dbCurr = CurrentDb() Set tdf = dbs.CreateTableDef("tbl_TEST") 'Create Field (This Works) Set fld = tdf.CreateField("Test Field" ,dbtext, 255) tdf.Fields.Append fld 'Create the CAPTION property. (This line is accepted) Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") 'Append the property (Breaks Here) fld.Properties.Append prop Error: Run-time error '3219' - Invlaid operation. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From askolits at nni.com Mon Oct 1 13:58:44 2007 From: askolits at nni.com (John Skolits) Date: Mon, 1 Oct 2007 14:58:44 -0400 Subject: [AccessD] Adding Caption Property - RESOLVED In-Reply-To: <008001c80453$e9b77450$2b51d355@minster33c3r25> References: <003701c80442$5f753a90$0f01a8c0@officexp> <008001c80453$e9b77450$2b51d355@minster33c3r25> Message-ID: <008e01c8045d$17363fc0$0f01a8c0@officexp> Yes, I did try that. I have found that the problem is that you must append the table first to the tables collection, before you can add the property. That's weird since all the examples I have found seemed to indicate you could do it while building the table. Well, I finally figured it out. Thanks, John -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 01, 2007 1:53 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Adding Caption Property Hi John Have you tried? Set prop = fld.CreateProperty("Caption") prop.Type=dbText prop.Value="Test Caption" fld.Properties.Append prop -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John > Skolits > Sent: 01 October 2007 16:47 > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Adding Caption Property > > > My objective is to simply add a caption to all my table fields. I'm > sure I'm missing something basic here. I went to many archives and all > the solution seemed similar, but it still won't work for me. Can > anyone tell me what's wrong? > > > > Dim dbCurr As Dao.Database, tdf As Dao.TableDef, fld As Dao.Field Dim > prop As Dao.Property > > 'Create Table (This Works) > Set dbCurr = CurrentDb() > Set tdf = dbs.CreateTableDef("tbl_TEST") > > 'Create Field (This Works) > Set fld = tdf.CreateField("Test Field" ,dbtext, 255) > tdf.Fields.Append fld > > 'Create the CAPTION property. (This line is accepted) > Set prop = fld.CreateProperty("Caption", dbText, "Test Caption") > > 'Append the property (Breaks Here) > fld.Properties.Append prop > > > Error: Run-time error '3219' - Invlaid operation. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Mon Oct 1 14:14:41 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 1 Oct 2007 20:14:41 +0100 Subject: [AccessD] Adding Caption Property In-Reply-To: <008d01c8045b$f9423560$0f01a8c0@officexp> Message-ID: <007101c8045f$52706140$8119fea9@LTVM> John, Here is an example from the help file. I am sure you can work through this to do what you want. I *think* that perhaps the Caption field is shown in Table Design view, even though it has not actually been created, which is why when I run code like this: Dim dbs As DAO.Database, sql as string Set dbs = CurrentDb sql = "Create Table Table2 (MyDesc Text, MyNumber number)" dbs.Execute (sql) And then look at it in Table Design view, I can see the Caption Property, but I cannot see it in code UNLESS I first of all type a value into the Caption Field, at which time (I think) Access actually creates the property. Below is some code which should give you what you want. I am running Access 2002-2003 Version 11.0 SP2 Regards Max CreateProperty Method Example This example tries to set the value of a user-defined property. If the property doesn't exist, it uses the CreateProperty method to create and set the value of the new property. The SetProperty procedure is required for this procedure to run. Sub CreatePropertyX() Dim dbsNorthwind As Database Dim prpLoop As Property Set dbsNorthwind = OpenDatabase("Northwind.mdb") ' Set the Archive property to True. SetProperty dbsNorthwind, "Archive", True With dbsNorthwind Debug.Print "Properties of " & .Name ' Enumerate Properties collection of the Northwind ' database. For Each prpLoop In .Properties If prpLoop <> "" Then Debug.Print " " & _ prpLoop.Name & " = " & prpLoop Next prpLoop ' Delete the new property since this is a ' demonstration. .Properties.Delete "Archive" .Close End With End Sub Sub SetProperty(dbsTemp As Database, strName As String, _ booTemp As Boolean) Dim prpNew As Property Dim errLoop As Error ' Attempt to set the specified property. On Error GoTo Err_Property dbsTemp.Properties("strName") = booTemp On Error GoTo 0 Exit Sub Err_Property: ' Error 3270 means that the property was not found. If DBEngine.Errors(0).Number = 3270 Then ' Create property, set its value, and append it to the ' Properties collection. Set prpNew = dbsTemp.CreateProperty(strName, _ dbBoolean, booTemp) dbsTemp.Properties.Append prpNew Resume Next Else ' If different error has occurred, display message. For Each errLoop In DBEngine.Errors MsgBox "Error number: " & errLoop.Number & vbCr & _ errLoop.Description Next errLoop End End If End Sub From jengross at gte.net Mon Oct 1 15:43:05 2007 From: jengross at gte.net (Jennifer Gross) Date: Mon, 01 Oct 2007 13:43:05 -0700 Subject: [AccessD] OT: Microsoft Project Message-ID: <011601c8046b$b25eace0$6501a8c0@jefferson> Hello All, I have a client that is looking into using Microsoft Project or some other project management software. They are looking at either 2003 Pro or one of the 2007 versions. They will have multiple concurrent users and will likely require customization with integration to both Microsoft Access and SQL Server database. I have never worked with Project and am looking for opinions, insight, any thoughts on the matter. Thank you in advance, Jennifer Gross office: (805) 480-1921 fax: (805) 499-0467 From cjlabs at worldnet.att.net Mon Oct 1 16:20:16 2007 From: cjlabs at worldnet.att.net (Carolyn Johnson) Date: Mon, 1 Oct 2007 16:20:16 -0500 Subject: [AccessD] Cannot export to RTF from Access2007 References: <009d01c8018b$aa123120$0301a8c0@HAL9005> Message-ID: <001001c80470$de7f1da0$6401a8c0@XPcomputer> FYI -- I got a return call from Microsoft that Access2007 cannot export to Word a report from a compiled Access2000 format database. Access crashes when you attempt to export the report. The original report that my database is corrupt was incorrect. They are advising using 2002-2003 format or 2007 format with Access2007. Carolyn Johnson ----- Original Message ----- From: "Rocky Smolin at Beach Access Software" To: "'Access Developers discussion and problem solving'" Sent: Thursday, September 27, 2007 11:54 PM Subject: Re: [AccessD] Cannot export to RTF from Access2007 >I have encountered differences between mdbs and mdes on A2K3 and WXP where > the mdb would run and the mde would fail. > > The only way I was able to trace it down was to put message boxes in the > code after every line - MsgBox "Point 1", MsgBox "Point 2", MsgBox "Point > 3", etc. Eventually I found a problem in the code that DIDN'T (!) raise > an > error in the mdb but failed in the mde. > > Access. Ya gotta love it. > > Not much help I know but that's my only experience with this. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Carolyn Johnson > Sent: Thursday, September 27, 2007 7:26 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Cannot export to RTF from Access2007 > > I have a compiled Access2000 database running on Vista/Access2007. > > When I try to export any report to RTF, I get an error that Access is > shutting down. On a second computer running Vista/Access2007, I get the > error "Object variable or With block variable not set". (Not sure why > there > are different responses.) > > Non-compiled version of the database exports without an error on > Vista/Access2007 machine. > > Either compiled or non-compiled database on the same computer in > Access2003 > exports fine. > > Either compiled or non-compiled database on a WindowsXP/Access2000 machine > exports fine. > > Unfortunately, I don't have Access2007 on a non-Vista computer at the > moment. > > > Does anyone have any experience with this? > > > TIA, > Carolyn Johnson > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.13.32/1033 - Release Date: > 9/27/2007 > 11:06 AM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 07:59:12 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 08:59:12 -0400 Subject: [AccessD] Bulk insert and table names Message-ID: <015e01c804f4$0851f7a0$6c7aa8c0@M90> You guys will love this one. I am writing .Net stuff to do imports of these huge text files. I fill a directory with files to be imported, then the code gets the file names in that directory and iterates through importing the files. I use the bulk copy object to do the insert. In this case I had files named using the two digit state code by the people who generated the source files. AK.txt AL.txt ... WY.txt I simply stripped off the .txt and use the file name itself as the name of a temp table into which I import the data. Once imported and validated, I then append the temp table to the permanent table and delete the temp table. I log EVERYTHING from the start / stop time of each operation to the error text, how many records successfully imported into the temp table etc. With me so far? My code takes off and runs. I end up with TWO files - IN.txt and OR.txt - that refuse to import. The error message thrown by the Bulk Copy object is "cannot access the destination table". These tables - IN and OR do indeed exist, nothing wrong with them. I have code that builds the tables on-the-fly and the tables are being built but the BulkCopy object cannot append the data into them. After an embarrassingly long period of head scratching, checking that I have sufficient disk space (this is a terabyte array, I have enough space!), compacting the database etc. it finally dawns on me that perhaps the table names are verboten. I changed the name of the input files from IN.txt to IND.txt and OR.txt to ORE.txt and voila, she runs. My best guess at this point is that the Bulk Copy object or something it calls in SQL Server to get its job done views IN and OR as key words and will not allow some operations to be performed on tables named that. Notice that I could execute, using the CMD object in .NET, SQL code to create the tables and THAT worked. Anyway, just another piece of trivia to remember - somewhere in the bowels of SQL Server exists a distaste for table names (and field names as well?) that are the same as key words. Which of course leads us to the question, where is the list of key words that we are not allowed to use? On a related note, I also create and index a PKID in the tables. In fact I quite doing so in the temp tables since it served no useful purpose, however while I was still doing so I ran into an interesting similar problem. I was naming the indexes IX & FieldName, whatever field name might be. Because I always used PKID as my field name, SQL Server complained about the index in the second table I tried to create (I create the permanent and then the temp table). It turns out that the index names appear to be stored in a common collection keyed on the index name and so the second time I tried to create the same name for an index (in a DIFFERENT table) SQL Server threw an error. I ended up using IX & TableName & FieldName as the index name and it worked just fine of course. John W. Colby Colby Consulting www.ColbyConsulting.com From Mwp.Reid at qub.ac.uk Tue Oct 2 08:07:00 2007 From: Mwp.Reid at qub.ac.uk (Martin W Reid) Date: Tue, 2 Oct 2007 14:07:00 +0100 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: Hi John List of SQL 2000 Keywords http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx Martin Martin Reid Telephone: 02890974465 From robert at webedb.com Tue Oct 2 08:36:32 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 02 Oct 2007 08:36:32 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: References: Message-ID: <200710021341.l92DftrF024487@databaseadvisors.com> No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert At 10:48 AM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 15:21:10 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <019601c801da$d1b69000$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Robert, be careful now. You are starting to drift away... > >Snowflake: This to me is a miltary policeman (RMP) so called because they >wore white hats. >True Stars: I can understand this cos my staff often say "Max you are a true >star" (costs me a fortune each time). > >But, I *think* I am still with you. > >So, we have a Form which captures data. (Is this the transactional system >you mention). The code then writes each entry into a Transaction Table >(flat file) all data written regardless of duplication in other data >entries. > >The Transaction Table then forms part of the data mart. There is no lookup >or linked tables. Everything is in the Transaction Table. > >Have I got it right so far? > >Max From robert at webedb.com Tue Oct 2 08:53:51 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 02 Oct 2007 08:53:51 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: References: Message-ID: <200710021356.l92DuqWA003818@databaseadvisors.com> Max, I sent an example to the list a little while ago. I think that will help you with the design. But, to expand on it further. ftblOrdersByWeek CustID WeekOfYear YearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByMonthyear CustID MonthYearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByYear CustID YearText ProductID ShippingMethodID TotalQtySold SalesPrice Now, there are additional fact tables that still use the same dimensions but are now summarized differently. This is the advantage of a mart/warehouse. All the math is already do. The data is stored at the granularity you want to report at. Granularity is almost always related to the time dimension of your facts. ftbl - fact table dtbl - dimension table Robert At 01:52 PM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 19:21:39 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <020e01c801fc$6ad269a0$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Thanks John, >Normalised data I understand. >What I don't understand is how we get from that to Data Marts. > >Q1: What do I do with my normalised tables. If the answer is to leave the >data in the normalised table and then re-post it to a flat table, then why >could that not have been done at data entry. >Q2: If the answer to Q1 is go straight to flat tables, then what do I do >AFTER that. > >When it then comes to pulling the data out into reports are we talking about >using software other than Access? > >The terminology is throwing me a bit too (well, to be honest, it is throwing >me a lot). >With the help of you guys, I will undertand it eventually. > >What is conceptually throwing me at the moment though is this: If the >reason people use datamarts (Star/Snow) to quickly create reports which >dice/slice down through the data, then are we or are we not just moving the >"time Taken" from the report stage to the data input stage (which would make >sense to me). But if I am completely wrong here, then I really am "all at >sea!" > >Thanks >Max From max.wanadoo at gmail.com Tue Oct 2 08:58:13 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Tue, 2 Oct 2007 14:58:13 +0100 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <00c601c804fc$471a8850$8119fea9@LTVM> Thanks Robert, I will digest all of that in due course. Congratulations on your wedding. I hope it all went well for you. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 2:37 PM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert At 10:48 AM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 15:21:10 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <019601c801da$d1b69000$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Robert, be careful now. You are starting to drift away... > >Snowflake: This to me is a miltary policeman (RMP) so called because >they wore white hats. >True Stars: I can understand this cos my staff often say "Max you are a >true star" (costs me a fortune each time). > >But, I *think* I am still with you. > >So, we have a Form which captures data. (Is this the transactional >system you mention). The code then writes each entry into a >Transaction Table (flat file) all data written regardless of >duplication in other data entries. > >The Transaction Table then forms part of the data mart. There is no >lookup or linked tables. Everything is in the Transaction Table. > >Have I got it right so far? > >Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 2 08:58:16 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 2 Oct 2007 08:58:16 -0500 Subject: [AccessD] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: <002301c804fc$48550420$0200a8c0@danwaters> Thanks John! I once spent hours trying to do an INSERT INTO for an Access field titled 'Note'. Eventually, on a hunch I changed the name and all worked well! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 02, 2007 7:59 AM To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and problem solving' Subject: [AccessD] Bulk insert and table names You guys will love this one. I am writing .Net stuff to do imports of these huge text files. I fill a directory with files to be imported, then the code gets the file names in that directory and iterates through importing the files. I use the bulk copy object to do the insert. In this case I had files named using the two digit state code by the people who generated the source files. AK.txt AL.txt ... WY.txt I simply stripped off the .txt and use the file name itself as the name of a temp table into which I import the data. Once imported and validated, I then append the temp table to the permanent table and delete the temp table. I log EVERYTHING from the start / stop time of each operation to the error text, how many records successfully imported into the temp table etc. With me so far? My code takes off and runs. I end up with TWO files - IN.txt and OR.txt - that refuse to import. The error message thrown by the Bulk Copy object is "cannot access the destination table". These tables - IN and OR do indeed exist, nothing wrong with them. I have code that builds the tables on-the-fly and the tables are being built but the BulkCopy object cannot append the data into them. After an embarrassingly long period of head scratching, checking that I have sufficient disk space (this is a terabyte array, I have enough space!), compacting the database etc. it finally dawns on me that perhaps the table names are verboten. I changed the name of the input files from IN.txt to IND.txt and OR.txt to ORE.txt and voila, she runs. My best guess at this point is that the Bulk Copy object or something it calls in SQL Server to get its job done views IN and OR as key words and will not allow some operations to be performed on tables named that. Notice that I could execute, using the CMD object in .NET, SQL code to create the tables and THAT worked. Anyway, just another piece of trivia to remember - somewhere in the bowels of SQL Server exists a distaste for table names (and field names as well?) that are the same as key words. Which of course leads us to the question, where is the list of key words that we are not allowed to use? On a related note, I also create and index a PKID in the tables. In fact I quite doing so in the temp tables since it served no useful purpose, however while I was still doing so I ran into an interesting similar problem. I was naming the indexes IX & FieldName, whatever field name might be. Because I always used PKID as my field name, SQL Server complained about the index in the second table I tried to create (I create the permanent and then the temp table). It turns out that the index names appear to be stored in a common collection keyed on the index name and so the second time I tried to create the same name for an index (in a DIFFERENT table) SQL Server threw an error. I ended up using IX & TableName & FieldName as the index name and it worked just fine of course. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 09:01:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 10:01:27 -0400 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: <015f01c804fc$ba890230$6c7aa8c0@M90> LOL. Thanks for that but I suppose my question was a jab at the concept that I would HAVE to make sure that my table / field names did not collide with some list of reserved words inside of SQL Server. The SQL Server programming team should ensure that I can name my tables and fields whatever I want to, NOT look up my proposed table field names in THEIR (ever changing) list of keywords and change my choice if it collides with their reserved words. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Martin W Reid Sent: Tuesday, October 02, 2007 9:07 AM To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and problem solving' Subject: Re: [AccessD] [dba-SQLServer] Bulk insert and table names Hi John List of SQL 2000 Keywords http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx Martin Martin Reid Telephone: 02890974465 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 2 09:02:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 2 Oct 2007 10:02:50 -0400 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> References: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <016001c804fc$ec01cdb0$6c7aa8c0@M90> Congratulations on the wedding! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 9:37 AM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) No. The transactional tables are always part of a totally different system. You use a process of some kind to load the data from the transactional system, say orders, into the data mart. tblCustomer tblCustomerType CustID CustomerTypeID CustName CustomerTypeDesc CustTypeID PmtTermsID tblCustomerAddress tblPmtTerms CustAddressID PmtTermsID CustID PmtTermsDesc AddressTypeID AddressLine1 tblAddressType AddressLine2 AddressTypeID City AddressTypeDesc State PostalCode tblOrder tblOrderDetail OrderID OrderDetailID CustID OrderID ShippingMethodID ProductID OrderDate QtyOrdered ShipDate QtyShipped tblProducts tblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc QtyOnHand QtyOnOrder ReorderPoint LastCost SalesPrice Assuming the above as our transactional system and all the data entry would be done in the above tables. Our star schema would look something like this: dtblCustomer dtblDates CustomerID DateID CustName YearText CustTypeDesc YearNbr PmtTermsDesc MonthText ShippingAddressLine1 MonthNbr ShippingAddressLine2 MonthAbrev ShippingCity MonthYearText ShippingState YearMonthText ShippingPostalCode DayText BillingAddressLine1 DayNbr BillingAddressLine2 DayOfYearNbr BillingCity BillingState BillingPostalCode dtblProducts dtblShippingMethod ProductID ShippingMethodID ProductName ShippingMethodDesc ftblOrders CustID DateID ProductID ShippingMethodID TotalQtySold SalesPrice In ftblOrders the PK would be CustID, DateID, ProductID, ShippingMethodID. Notice in dtblCustomer, the address information has been denormalized so that we do not have to join to the address table. If we did not do that, it would be called a snowflake. Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) Robert From Jim.Hale at FleetPride.com Tue Oct 2 09:12:59 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 2 Oct 2007 09:12:59 -0500 Subject: [AccessD] Bulk insert and table names In-Reply-To: <015e01c804f4$0851f7a0$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> Message-ID: Given the huge volume you are dealing with you can probably look forward to discovering EVERY forbidden word over time. Compile the list, publish it as "Bill Gates forbidden word list and the men who found them" go on Dr Phil with an expose and voila, a celebrity is born. (Sorry I was up LATE last night boxing PALLETS of soap to sell on QVC no less. Don't ask.) :-) Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From max.wanadoo at gmail.com Tue Oct 2 09:27:14 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Tue, 2 Oct 2007 15:27:14 +0100 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021356.l92DuqWA003818@databaseadvisors.com> Message-ID: <00cd01c80500$54e76990$8119fea9@LTVM> Thanks again, Robert Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 02, 2007 2:54 PM To: accessd at databaseadvisors.com Subject: [AccessD] Warehouse design (was Mucking Around) Max, I sent an example to the list a little while ago. I think that will help you with the design. But, to expand on it further. ftblOrdersByWeek CustID WeekOfYear YearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByMonthyear CustID MonthYearText ProductID ShippingMethodID TotalQtySold SalesPrice ftblOrdersByYear CustID YearText ProductID ShippingMethodID TotalQtySold SalesPrice Now, there are additional fact tables that still use the same dimensions but are now summarized differently. This is the advantage of a mart/warehouse. All the math is already do. The data is stored at the granularity you want to report at. Granularity is almost always related to the time dimension of your facts. ftbl - fact table dtbl - dimension table Robert At 01:52 PM 9/28/2007, you wrote: >Date: Fri, 28 Sep 2007 19:21:39 +0100 >From: >Subject: Re: [AccessD] Mucking around >To: "'Access Developers discussion and problem solving'" > >Message-ID: <020e01c801fc$6ad269a0$8119fea9 at LTVM> >Content-Type: text/plain; charset="us-ascii" > >Thanks John, >Normalised data I understand. >What I don't understand is how we get from that to Data Marts. > >Q1: What do I do with my normalised tables. If the answer is to leave >the data in the normalised table and then re-post it to a flat table, >then why could that not have been done at data entry. >Q2: If the answer to Q1 is go straight to flat tables, then what do I >do AFTER that. > >When it then comes to pulling the data out into reports are we talking >about using software other than Access? > >The terminology is throwing me a bit too (well, to be honest, it is >throwing me a lot). >With the help of you guys, I will undertand it eventually. > >What is conceptually throwing me at the moment though is this: If the >reason people use datamarts (Star/Snow) to quickly create reports which >dice/slice down through the data, then are we or are we not just moving >the "time Taken" from the report stage to the data input stage (which >would make sense to me). But if I am completely wrong here, then I >really am "all at sea!" > >Thanks >Max -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JRuff at SolutionsIQ.com Tue Oct 2 09:39:56 2007 From: JRuff at SolutionsIQ.com (John Ruff) Date: Tue, 2 Oct 2007 07:39:56 -0700 Subject: [AccessD] Determine if Object is a Table or View Message-ID: <4870DBEB7940B041B2EFB8F70F26334D44BC70@blv2-exc-01.siq.solutionsiq.com> I'm not sure if the original message got thru, so I'm posting it one more time. I'm using ADOX in an Access2003 mdb to iterate through the tables in SQL Server 2000. I only need to gather data on the tables and not any of the views. Here is the snippit of code I use to capture the table object. Dim cat As ADOX.Catalog Dim rst As ADODB.Recordset Dim tbl As ADOX.Table Set cat = New Catalog cat.ActiveConnection = "Provider=SQLNCLI.1;Integrated Security=SSPI;Persist Security Info=False;Initial Catalog=SOLIQ;Data Source=congo" Set rst = New ADODB.Recordset For Each tbl In cat.Tables ' I would like to determine if the object is a table or a view here. Question: How can I determine if the tbl is a table or view? papparuff John V. Ruff Applications Support Analyst SolutionsIQ www.SolutionsIQ.com 10785 Willows Road NE Redmond, WA 98052 425.250.3484 From ab-mi at post3.tele.dk Tue Oct 2 10:20:15 2007 From: ab-mi at post3.tele.dk (Asger Blond) Date: Tue, 2 Oct 2007 17:20:15 +0200 Subject: [AccessD] Determine if Object is a Table or View In-Reply-To: <4870DBEB7940B041B2EFB8F70F26334D44BC70@blv2-exc-01.siq.solutionsiq.com> Message-ID: <000701c80507$bbfa4470$2101a8c0@AB> Try something like this: If tbl.Type="Table" Then ... If tbl.Type="View" Then ... hth Asger -----Oprindelig meddelelse----- Fra: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] P? vegne af John Ruff Sendt: 2. oktober 2007 16:40 Til: accessd at databaseadvisors.com Emne: [AccessD] Determine if Object is a Table or View I'm not sure if the original message got thru, so I'm posting it one more time. I'm using ADOX in an Access2003 mdb to iterate through the tables in SQL Server 2000. I only need to gather data on the tables and not any of the views. Here is the snippit of code I use to capture the table object. Dim cat As ADOX.Catalog Dim rst As ADODB.Recordset Dim tbl As ADOX.Table Set cat = New Catalog cat.ActiveConnection = "Provider=SQLNCLI.1;Integrated Security=SSPI;Persist Security Info=False;Initial Catalog=SOLIQ;Data Source=congo" Set rst = New ADODB.Recordset For Each tbl In cat.Tables ' I would like to determine if the object is a table or a view here. Question: How can I determine if the tbl is a table or view? papparuff John V. Ruff Applications Support Analyst SolutionsIQ www.SolutionsIQ.com 10785 Willows Road NE Redmond, WA 98052 425.250.3484 From fuller.artful at gmail.com Tue Oct 2 10:38:16 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 2 Oct 2007 11:38:16 -0400 Subject: [AccessD] Excel formatting question Message-ID: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur From john at winhaven.net Tue Oct 2 10:35:38 2007 From: john at winhaven.net (John Bartow) Date: Tue, 2 Oct 2007 10:35:38 -0500 Subject: [AccessD] Warehouse design (was Mucking Around) In-Reply-To: <200710021341.l92DftrF024487@databaseadvisors.com> References: <200710021341.l92DftrF024487@databaseadvisors.com> Message-ID: <010401c80509$e282b300$6402a8c0@ScuzzPaq> Congratulations on the wedding! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sorry that I did not get back to you quicker. I would out of touch with email due to my wedding :0) From carbonnb at gmail.com Tue Oct 2 10:47:21 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Tue, 2 Oct 2007 11:47:21 -0400 Subject: [AccessD] Excel formatting question In-Reply-To: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> References: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Message-ID: On 10/2/07, Arthur Fuller wrote: > Given how knee-deep I am lately into Excel programming, this will doubtless > seem a stupid question, or evidence of a stupid inquirer, but anyway... I > have a workbook which contains two sheets. One prints with a grid (boxes > around each cell) and another prints with just white space and values. I > want the second to print the grid, same as the first. What do I adjust to > make this occur? File | Page Setup | Sheet Tab Check the Gridlines checkbox about 1/2 way down. P.S. This would have been a better post on DBA-Tech. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From Donald.A.McGillivray at sprint.com Tue Oct 2 10:55:09 2007 From: Donald.A.McGillivray at sprint.com (McGillivray, Don [IT]) Date: Tue, 2 Oct 2007 10:55:09 -0500 Subject: [AccessD] Excel formatting question In-Reply-To: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> References: <29f585dd0710020838n15fd445t565bb99cf0f477db@mail.gmail.com> Message-ID: Arthur, This ought to do it . . . File|Page Setup Sheet tab Gridlines checkbox You can also get there from the print preview screen. Click the Setup button, etc . . . Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 02, 2007 8:38 AM To: Access Developers discussion and problem solving Subject: [AccessD] Excel formatting question Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fhtapia at gmail.com Tue Oct 2 10:56:56 2007 From: fhtapia at gmail.com (Francisco Tapia) Date: Tue, 2 Oct 2007 08:56:56 -0700 Subject: [AccessD] [dba-SQLServer] Bulk insert and table names In-Reply-To: <015f01c804fc$ba890230$6c7aa8c0@M90> References: <015e01c804f4$0851f7a0$6c7aa8c0@M90> <015f01c804fc$ba890230$6c7aa8c0@M90> Message-ID: The thing is that if you bracket your table names, you're allowed to use them, prefixing your table names with something simple such as tblOR or tblIN would have clearly avoided the problem you faced. Similarly with indexes, you've found a great way to keep them unique by including the tablename in the index. On 10/2/07, jwcolby wrote: > > LOL. > > Thanks for that but I suppose my question was a jab at the concept that I > would HAVE to make sure that my table / field names did not collide with > some list of reserved words inside of SQL Server. The SQL Server > programming team should ensure that I can name my tables and fields > whatever > I want to, NOT look up my proposed table field names in THEIR (ever > changing) list of keywords and change my choice if it collides with their > reserved words. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Martin W Reid > Sent: Tuesday, October 02, 2007 9:07 AM > To: dba-sqlserver at databaseadvisors.com; 'Access Developers discussion and > problem solving' > Subject: Re: [AccessD] [dba-SQLServer] Bulk insert and table names > > Hi John > > List of SQL 2000 Keywords > > http://msdn2.microsoft.com/en-us/library/aa238507(SQL.80).aspx > > > Martin > > > Martin Reid > Telephone: 02890974465 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > _______________________________________________ > dba-SQLServer mailing list > dba-SQLServer at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/dba-sqlserver > http://www.databaseadvisors.com > > -- -Francisco http://sqlthis.blogspot.com | Tsql and More... From jengross at gte.net Tue Oct 2 11:03:46 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 02 Oct 2007 09:03:46 -0700 Subject: [AccessD] Excel formatting question In-Reply-To: Message-ID: <008a01c8050d$d38176d0$6501a8c0@jefferson> Hi Arthur, The sheet that you want to turn Gridlines on for needs to be the active sheet. Page Setup only effects the current active worksheet. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of McGillivray, Don [IT] Sent: Tuesday, October 02, 2007 8:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Excel formatting question Arthur, This ought to do it . . . File|Page Setup Sheet tab Gridlines checkbox You can also get there from the print preview screen. Click the Setup button, etc . . . Don -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 02, 2007 8:38 AM To: Access Developers discussion and problem solving Subject: [AccessD] Excel formatting question Given how knee-deep I am lately into Excel programming, this will doubtless seem a stupid question, or evidence of a stupid inquirer, but anyway... I have a workbook which contains two sheets. One prints with a grid (boxes around each cell) and another prints with just white space and values. I want the second to print the grid, same as the first. What do I adjust to make this occur? TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 2 15:46:13 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 2 Oct 2007 15:46:13 -0500 Subject: [AccessD] When Was a Module Last Modified? Message-ID: <002601c80535$4603d140$0200a8c0@danwaters> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters From Chester_Kaup at kindermorgan.com Tue Oct 2 15:48:21 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 2 Oct 2007 15:48:21 -0500 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: I tried moving the error checking code from the OnExit event to the AfterUpdate event but after the error check occurs the focus moves to the next text box. With the OnExit event the focus goes back to the textbox that has the bad value. Here is the error checking code. If IsNull(Me!StartDate) Then MsgBox "You must enter a start date" Cancel = True ElseIf CVDate(Me!StartDate) > CVDate(EndDate) Then MsgBox "Invalid Date. Start date must be before end date" Cancel = True Else Me!EndDate.Enabled = True Me!EndDate.SetFocus DoCmd.OpenQuery "qry All Manifolds Production for a Time Interval" Forms![frm All Manifolds Chart 90 Days].chtAllManifolds1.Requery Me.Repaint End If -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 11:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I was using OnExit events on a start date and end date text boxes on the form to perform data validation. Maybe there is a better way to do this? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior First examine why you have OnExit events there. If this is in a header, you can't have all that many controls in it. Why not just use tab order and skip the OnExit. Setting a focus in OnExit can drive a user crazy. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 9:08 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Exactly. The OnExit event of the TextBox StartDate runs instead of the print command. How to detect the command button click and bypass the on OnExit Event??? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 10:53 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Strange Command Button Behavior Hi Chester and Charlotte - or an OnExit at StartDate ... /gustav >>> cfoust at infostatsystems.com 01-10-2007 17:46 >>> Chester, It isn't the button click code that's the problem. Have you put in break points to be sure the click event is actually occurring the first time you click it? It sounds like you might have an OnEnter event firing first. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Monday, October 01, 2007 7:28 AM To: Access Developers discussion and problem solving Subject: [AccessD] Strange Command Button Behavior I have a command button in the header of form to print a report. When I click on the button the focus moves from a text box on the form named StartDate to a text box on the form named EndDate. The report does not print. The second time I click the command button the form prints. Code for the command button is below. I tried compacting and repairing the database and moving everything to a new form but to no avail. Private Sub Command1_Click() On Error GoTo Err_Command1_Click Dim stDocName As String stDocName = "rpt All Manifolds Oil Gas Water 90 Days" DoCmd.OpenReport stDocName, acNormal Exit_Command1_Click: Exit Sub Err_Command1_Click: MsgBox Err.Description Resume Exit_Command1_Click End Sub Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 1 06:29:25 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 1 Oct 2007 15:29:25 +0400 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: Message-ID: <004d01c8041e$62466650$6501a8c0@nant> <<< Indeed for long strings (some 10K) this is so slow that it is hard to believe. >>> Hi Gustav, Yes, I'm aware of that. <<< As we all know, for validation of a user input in a textbox, speed is of zero practical importance >>> Yes, that's clear but: 1) this thread was originated with the request of JC to find the quickest way to "jam"/CamelCase strings... 2) the original request was about RegEx and VB.NET/C#. The hypothesis was that RegEx could deliver the quickest solution. This hypothesis isn't yet proved in this thread... 3) saving even one CPU cycle while programming user input could result in a lot of saved energy if we count how many computers are currently running all around the world :) - a kind of kidding you know: of course spending hours trying to save a second for an algorithm, which validates user input could be even more waste of energy - but for JC's task saving a sec could result in significant time gains because of specifics of the business processes of his customer requesting to "crunch" zillion gigabytes of data... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 12:57 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav From pcs at azizaz.com Wed Oct 3 00:39:01 2007 From: pcs at azizaz.com (pcs at azizaz.com) Date: Wed, 3 Oct 2007 15:39:01 +1000 (EST) Subject: [AccessD] Basic Scripting Question Message-ID: <20071003153901.DEE29932@dommail.onthenet.com.au> Hi, I am discovering the world of scripting / vbscript Coding in VBA (Access2003) In the context for a code line like Set fs = CreateObject("Scripting.FileSystemObject") how can I get intellisence into the created object? So that if I code fs. the various properties and methods will appear What reference do I need to set? If I set a reference, is that what is called 'early binding' For the code to work I understand I don't need to set a reference, right. But what library is driving the created object, providing properties and methods? borge From Gustav at cactus.dk Wed Oct 3 02:59:14 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 03 Oct 2007 09:59:14 +0200 Subject: [AccessD] When Was a Module Last Modified? Message-ID: Hi Dan Here is one method: datUpdated = CurrentDb.Containers!Modules("NameOfYourModule").LastUpdated /gustav >>> dwaters at usinternet.com 02-10-2007 22:46 >>> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters From jwcolby at colbyconsulting.com Wed Oct 3 06:43:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 3 Oct 2007 07:43:40 -0400 Subject: [AccessD] Use Regex - Create Camel Case In-Reply-To: <004d01c8041e$62466650$6501a8c0@nant> References: <004d01c8041e$62466650$6501a8c0@nant> Message-ID: <018d01c805b2$a5546bf0$6c7aa8c0@M90> Shamil, And while I haven't spoken up yet (nor had time to try all this) I am watching the thread closely. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Monday, October 01, 2007 7:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Use Regex - Create Camel Case <<< Indeed for long strings (some 10K) this is so slow that it is hard to believe. >>> Hi Gustav, Yes, I'm aware of that. <<< As we all know, for validation of a user input in a textbox, speed is of zero practical importance >>> Yes, that's clear but: 1) this thread was originated with the request of JC to find the quickest way to "jam"/CamelCase strings... 2) the original request was about RegEx and VB.NET/C#. The hypothesis was that RegEx could deliver the quickest solution. This hypothesis isn't yet proved in this thread... 3) saving even one CPU cycle while programming user input could result in a lot of saved energy if we count how many computers are currently running all around the world :) - a kind of kidding you know: of course spending hours trying to save a second for an algorithm, which validates user input could be even more waste of energy - but for JC's task saving a sec could result in significant time gains because of specifics of the business processes of his customer requesting to "crunch" zillion gigabytes of data... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 01, 2007 12:57 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Use Regex - Create Camel Case Hi Max and Shamil Max, the main reason for VBA running slow on string concatenation is this construct: strResult = strResult & strBit Indeed for long strings (some 10K) this is so slow that it is hard to believe. The traditional work-around is to create a dummy target string and then replace the chars one by one using Mid(). Here's an example (though path/file names seldom are so long that it matters): Public Function TrimFileName( _ ByVal strFileName As String) _ As String ' Replaces characters in strFileName that are ' not allowed by Windows as a file name. ' Truncates length of strFileName to clngFileNameLen. ' ' 2000-12-07. Gustav Brock, Cactus Data ApS, Copenhagen ' 2002-05-22. Replaced string concatenating with Mid(). ' No special error handling. On Error Resume Next ' String containing all not allowed characters. Const cstrInValidChars As String = "\/:*?""<>|" ' Replace character for not allowed characters. Const cstrReplaceChar As String * 1 = "-" ' Maximum length of a file name. Const clngFileNameLen As Long = 255 Dim lngLen As Long Dim lngPos As Long Dim strChar As String Dim strTrim As String ' Strip leading and trailing spaces. strTrim = Left(Trim(strFileName), clngFileNameLen) lngLen = Len(strTrim) For lngPos = 1 To lngLen Step 1 strChar = Mid(strTrim, lngPos, 1) If InStr(cstrInValidChars, strChar) > 0 Then Mid(strTrim, lngPos) = cstrReplaceChar End If Next TrimFileName = strTrim End Function Shamil, I have not been working with this in C# but I think you are on the right track using arrays. I hope to find some time to experiment with your code examples. As we all know, for validation of a user input in a textbox, speed is of zero practical importance, but from time to time your task is to manipulate not one but thousands of strings and then it matters. /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 3 07:22:52 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 07:22:52 -0500 Subject: [AccessD] When Was a Module Last Modified? In-Reply-To: References: Message-ID: <000c01c805b8$1fdeb6f0$0200a8c0@danwaters> Thanks Gustav - I'll give this a try. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 03, 2007 2:59 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] When Was a Module Last Modified? Hi Dan Here is one method: datUpdated = CurrentDb.Containers!Modules("NameOfYourModule").LastUpdated /gustav >>> dwaters at usinternet.com 02-10-2007 22:46 >>> Is there a way to determine, using code, when a standard module was actually last modified? Thanks! Dan Waters -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 3 07:32:12 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 07:32:12 -0500 Subject: [AccessD] Basic Scripting Question In-Reply-To: <20071003153901.DEE29932@dommail.onthenet.com.au> References: <20071003153901.DEE29932@dommail.onthenet.com.au> Message-ID: <001401c805b9$6c895f90$0200a8c0@danwaters> Hi Borge, There used to be a help file available called vbscript56.chm which covered filesystemobjects, but I can't find it now. I did find this site which appears to be pretty helpful: http://www.excelsig.org/VBA/FileSystemObject.htm Best of Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com Sent: Wednesday, October 03, 2007 12:39 AM To: Access Developers discussion and problemsolving Subject: [AccessD] Basic Scripting Question Hi, I am discovering the world of scripting / vbscript Coding in VBA (Access2003) In the context for a code line like Set fs = CreateObject("Scripting.FileSystemObject") how can I get intellisence into the created object? So that if I code fs. the various properties and methods will appear What reference do I need to set? If I set a reference, is that what is called 'early binding' For the code to work I understand I don't need to set a reference, right. But what library is driving the created object, providing properties and methods? borge -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 10:20:01 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 08:20:01 -0700 Subject: [AccessD] Strange Command Button Behavior In-Reply-To: References: Message-ID: At least part of my confusion is in which control's events you're trying to use. If you want to keep the focus, use the beforeupdate event of each control to call a validation routine. Just remember that you have to handle the situation where the other date hasn't yet been entered. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 02, 2007 1:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior I tried moving the error checking code from the OnExit event to the AfterUpdate event but after the error check occurs the focus moves to the next text box. With the OnExit event the focus goes back to the textbox that has the bad value. Here is the error checking code. If IsNull(Me!StartDate) Then MsgBox "You must enter a start date" Cancel = True ElseIf CVDate(Me!StartDate) > CVDate(EndDate) Then MsgBox "Invalid Date. Start date must be before end date" Cancel = True Else Me!EndDate.Enabled = True Me!EndDate.SetFocus DoCmd.OpenQuery "qry All Manifolds Production for a Time Interval" Forms![frm All Manifolds Chart 90 Days].chtAllManifolds1.Requery Me.Repaint End If -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Monday, October 01, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Strange Command Button Behavior Another way might be use the AfterUpdate events instead to call a test that looks at both controls. I'm assuming you're cross checking the dates to be sure start is before end, etc? Charlotte Foust - From rockysmolin at bchacc.com Wed Oct 3 12:51:58 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 3 Oct 2007 10:51:58 -0700 Subject: [AccessD] Lamp-Based Solution Message-ID: <003901c805e6$18260160$0301a8c0@HAL9005> My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky From ssharkins at gmail.com Wed Oct 3 12:59:15 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 13:59:15 -0400 Subject: [AccessD] consulting fees Message-ID: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. From ssharkins at gmail.com Wed Oct 3 13:05:13 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 14:05:13 -0400 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> Martin said it best a long time ago -- most problems developers have with Access are their own fault. The product is very stable if you use it the way you're supposed to. Susan H. On 10/3/07, Rocky Smolin at Beach Access Software wrote: > > My system is being evaluated by a fellow in Singapore. He writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes attached > for > your kind attention. They have bad experiences with ACCESS, and are very > negative about the use of ACCESS. The information available from the web > search also indicates that there are known problems of ACCESS especially > if > it is linked to other software tools. > > It would be very difficult for us to market a software solution that is > not > stable. We would have welcome the LAMP-based solution for portability > across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From cfoust at infostatsystems.com Wed Oct 3 13:08:13 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 11:08:13 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> References: <003901c805e6$18260160$0301a8c0@HAL9005> <17c80a4d0710031105o4d541144x38ad5c5774591967@mail.gmail.com> Message-ID: Besides, he isn't in the market for Access at all if he wants solutions that port to other platforms. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 11:05 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Lamp-Based Solution Martin said it best a long time ago -- most problems developers have with Access are their own fault. The product is very stable if you use it the way you're supposed to. Susan H. On 10/3/07, Rocky Smolin at Beach Access Software wrote: > > My system is being evaluated by a fellow in Singapore. He writes > among other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes > attached for your kind attention. They have bad experiences with > ACCESS, and are very negative about the use of ACCESS. The information > available from the web search also indicates that there are known > problems of ACCESS especially if it is linked to other software tools. > > It would be very difficult for us to market a software solution that > is not stable. We would have welcome the LAMP-based solution for > portability across Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lmrazek at lcm-res.com Wed Oct 3 13:12:51 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Wed, 3 Oct 2007 13:12:51 -0500 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <023301c805e9$02e881d0$056fa8c0@lcmdv8000> Hi Rocky: LAMP = Linux, Apache, MySQL, PHP ... Basically it looks like they want an "open source" web-based solution. I guess you can't write bad code in PHP? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 03, 2007 12:52 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Lamp-Based Solution My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From delam at zyterra.com Wed Oct 3 13:25:00 2007 From: delam at zyterra.com (delam at zyterra.com) Date: Wed, 3 Oct 2007 18:25:00 +0000 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> That is right along the lines of what I charge. Sound very appropriate to the market in Texas. Debbie Sent via BlackBerry by AT&T -----Original Message----- From: "Susan Harkins" Date: Wed, 3 Oct 2007 13:59:15 To:AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From carbonnb at gmail.com Wed Oct 3 13:25:05 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 14:25:05 -0400 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: On 10/3/07, Rocky Smolin at Beach Access Software wrote: > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? LAMP = Linux / Apache / MySQL / PHP Basically open source software/solutions. Although... Linux can be Linux/Window/ Mac Unix MySQL can be MySQL/PostGres or any other open source DB PHP can be PHP, Python, Perl, or even Ruby on Rails these days. The Access comment is the same old same old issues IT has with Access dbs. They are just toys and not for real development. The LAMP solution wouldn't be bad if you wanted to open up your code for all eyes to see, since these are all non-compiled languages, but (and I hate to say it because it sounds so derogatory) scripting languages. Sure you can obfuscate the code, but with enough time and some automated tools, can be deobfuscated (is that even a word?) I'm working on a side LAMP project right now, so I'm knee deep into it. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From ssharkins at gmail.com Wed Oct 3 13:53:04 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 14:53:04 -0400 Subject: [AccessD] consulting fees In-Reply-To: <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <873813444-1191435688-cardhu_decombobulator_blackberry.rim.net-332021243-@bxe018.bisx.prod.on.blackberry> Message-ID: <17c80a4d0710031153q4d2c7cd1n603ef6b68755ea43@mail.gmail.com> Thanks Deb! Susan H. That is right along the lines of what I charge. Sound very appropriate to the market in Texas. From dwaters at usinternet.com Wed Oct 3 13:58:31 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 13:58:31 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <003901c805ef$64a337c0$0200a8c0@danwaters> Hi Charlotte, I charge slightly less in the Minneapolis area - no one has an issue with this. Customers only seem to have an issue with 'what is in the budget' or with total cost. Dan Waters -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 12:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Wed Oct 3 13:58:55 2007 From: JHewson at karta.com (Jim Hewson) Date: Wed, 3 Oct 2007 13:58:55 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> Susan, I'm in San Antonio and in my experience, your fees are appropriate. In some cases, it might be a little low. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 12:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 3 14:13:02 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 15:13:02 -0400 Subject: [AccessD] consulting fees In-Reply-To: <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> Message-ID: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. From accessd at shaw.ca Wed Oct 3 14:16:19 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 12:16:19 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: Hi Rocky: L Linux - instead of Windows OS A Apache - instaed of IIS M MySQL - instead of MDB/MS SQL P PHP - instead of VB/VBA/VB.Net or any other Windows language. They are also suggesting a Browser/web-based solution. I wonder if they really know what they are asking for? We are talking a major major re-write... Sounds like the old Access is light weight and unstable statement again. Jim ----- Original Message ----- From: Rocky Smolin at Beach Access Software Date: Wednesday, October 3, 2007 10:52 am Subject: [AccessD] Lamp-Based Solution To: 'Access Developers discussion and problem solving' > My system is being evaluated by a fellow in Singapore. He > writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes > attached for > your kind attention. They have bad experiences with ACCESS, and > are very > negative about the use of ACCESS. The information available from > the web > search also indicates that there are known problems of ACCESS > especially if > it is linked to other software tools. > > It would be very difficult for us to market a software solution > that is not > stable. We would have welcome the LAMP-based solution for > portability across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him > about the > problems his staff see with Access? Is this the same old > ORACLE/SQLparochialism we have seen before? > > TIA > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jimdettman at verizon.net Wed Oct 3 14:25:21 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 03 Oct 2007 15:25:21 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: <003301c805f3$26589330$8abea8c0@XPS> I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Wed Oct 3 14:36:24 2007 From: JHewson at karta.com (Jim Hewson) Date: Wed, 3 Oct 2007 14:36:24 -0500 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com> <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0197F8@karta-exc-int.Karta.com> Consulting fees are usually higher than development because of the expertise required. We use consultants for short term projects or when we need a specific skill set for a brief period. Depending on the contract, if a person is an employee we usually double their hourly "rate" and sometimes add "profit" to the number. The rate is the annual salary divided by 2080 hours. We have used consultants with an hourly rate of $200 and more and felt we got a bargain! Project Managers and QC and SMEs are usually paid more than the developer. We charge between $65 and $125 per hour for technical/developers depending on the expertise of the person and the complexity of the contract. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 2:13 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From delam at zyterra.com Wed Oct 3 14:41:09 2007 From: delam at zyterra.com (delam at zyterra.com) Date: Wed, 3 Oct 2007 19:41:09 +0000 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><3918C60D59E7D84BBE11101EB0FDEF6F0197F7@karta-exc-int.Karta.com><17c80a4d0710031213m378d2907q479591ca0d1d54e6@mail.gmail.com> Message-ID: <624598587-1191440257-cardhu_decombobulator_blackberry.rim.net-1418299948-@bxe018.bisx.prod.on.blackberry> I think the hourly rate should be covering any professional services, so the issue of straight development is not an issue in my mind. Debbie Sent via BlackBerry by AT&T -----Original Message----- From: "Susan Harkins" Date: Wed, 3 Oct 2007 15:13:02 To:"Access Developers discussion and problem solving" Subject: Re: [AccessD] consulting fees > Susan, I'm in San Antonio and in my experience, your fees are appropriate. > In some cases, it might be a little low. > > ===========Can you define "some cases?" Also, what do you guys charge for straight development -- do any of you have a separate fee? I always did, but I don't offer development anymore and haven't kept up. I thought it would be best to present a full schedule rather than one simple fee, but I'm not sure it's necessary or that I will. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Wed Oct 3 14:39:19 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 3 Oct 2007 15:39:19 -0400 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > From carbonnb at gmail.com Wed Oct 3 14:47:50 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 15:47:50 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: On 10/3/07, Arthur Fuller wrote: > I must be the cheapest game in town. Some gigs I do for less than $50 an > hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the > greenback. But still nowhere near what some of you charge. Wow. There's no > one in Canada that would pay $135 an hour, unless you can cure cancer. I dunno 'bout that Arthur. Last gig I did was earlier this summer and I charged $95 and hour. Mind you that wasn't development but Mail Admin crap not development. He didn't like the price but paid it. I even told him I normally charge in USD (which I do, since most of the work I've done has been for folks in US) but charged him CAD. Although I got screwed recently with the high dollar. I lost $3 CAD by taking USD for payment on a different gig.:( -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From ssharkins at gmail.com Wed Oct 3 14:54:48 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 15:54:48 -0400 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> Where are you? I think you definitely need to increase your rates with your next client! ;) Susan H. I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. From dwaters at usinternet.com Wed Oct 3 15:27:09 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 3 Oct 2007 15:27:09 -0500 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: <000301c805fb$c675acb0$0200a8c0@danwaters> Arthur, When I started in 2003, I also charged $50/hr. Next year $75, and so on. At that time I was talking to people who would give me some of their time as one-time 'mentors'. Universally, they pinged on me about my low rates. The first person I talked with said I should charge $125/hr to start and move up to $175/hr in a couple of years. They were basing their statements on the Business Process Management System I've developed, saying that this is a big money maker for companies. A few years later, I now know that they were correct. We all partly base our judgment of value on something's price. Sometimes there's simply no way to do otherwise (like with programmers). So, if you are the lowest rate, then customers may think of you as the lowest value or quality. Some business customers are proud of spending a lot of money - they can then brag that it cost THIS MUCH - and their buddies wish they could do the same. Would you like a Cadillac? Why? Because everyone around you thinks you can afford it! Raise your rates until you get some pushback - then you know you're charging about the right amount. Here's to the new mansion you'll be buying in a few years! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 03, 2007 2:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From spike at tenbus.co.uk Wed Oct 3 13:21:33 2007 From: spike at tenbus.co.uk (Webadmin - Tenbus) Date: Wed, 03 Oct 2007 19:21:33 +0100 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <003901c805e6$18260160$0301a8c0@HAL9005> References: <003901c805e6$18260160$0301a8c0@HAL9005> Message-ID: <4703DDAD.6040908@tenbus.co.uk> LAMP = Linux, Apache, MySQL, PHP = free. Regards Chris Foote Rocky Smolin at Beach Access Software wrote: > My system is being evaluated by a fellow in Singapore. He writes among > other things: > > *************************** > My systems personnel have tested the EZ-MRP, and have the notes attached for > your kind attention. They have bad experiences with ACCESS, and are very > negative about the use of ACCESS. The information available from the web > search also indicates that there are known problems of ACCESS especially if > it is linked to other software tools. > > It would be very difficult for us to market a software solution that is not > stable. We would have welcome the LAMP-based solution for portability across > Linux, Windows and other platforms, if possible, > *************************** > > So what is a LAMP-based solution? What would you tell him about the > problems his staff see with Access? Is this the same old ORACLE/SQL > parochialism we have seen before? > > TIA > > Rocky > > > > > > From cfoust at infostatsystems.com Wed Oct 3 16:33:27 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:33:27 -0700 Subject: [AccessD] Lamp-Based Solution In-Reply-To: <023301c805e9$02e881d0$056fa8c0@lcmdv8000> References: <003901c805e6$18260160$0301a8c0@HAL9005> <023301c805e9$02e881d0$056fa8c0@lcmdv8000> Message-ID: LOL Bad programmers can write bad code in ANY language. How's that for talent?? ;0> Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Wednesday, October 03, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Lamp-Based Solution Hi Rocky: LAMP = Linux, Apache, MySQL, PHP ... Basically it looks like they want an "open source" web-based solution. I guess you can't write bad code in PHP? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 03, 2007 12:52 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Lamp-Based Solution My system is being evaluated by a fellow in Singapore. He writes among other things: *************************** My systems personnel have tested the EZ-MRP, and have the notes attached for your kind attention. They have bad experiences with ACCESS, and are very negative about the use of ACCESS. The information available from the web search also indicates that there are known problems of ACCESS especially if it is linked to other software tools. It would be very difficult for us to market a software solution that is not stable. We would have welcome the LAMP-based solution for portability across Linux, Windows and other platforms, if possible, *************************** So what is a LAMP-based solution? What would you tell him about the problems his staff see with Access? Is this the same old ORACLE/SQL parochialism we have seen before? TIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Wed Oct 3 16:37:15 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 03 Oct 2007 17:37:15 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <17c80a4d0710031254v35c1c05aw6c993bf4490f6290@mail.gmail.com> Message-ID: <001401c80605$914e73a0$8abea8c0@XPS> Susan, <> Sorry; Based in Syracuse NY, with clients across the country. <> Probably. I've had the same rate now for quite a few years. And I'm actually a bit cheaper then that as I offer the rate of $55/hr for extended projects (anything more then a couple of weeks). Mind you though, I charge for *everything*. If the owner wants to shoot the breeze for 15 minutes, they get billed for it. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 3:55 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees Where are you? I think you definitely need to increase your rates with your next client! ;) Susan H. I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 16:36:48 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:36:48 -0700 Subject: [AccessD] consulting fees In-Reply-To: <003301c805f3$26589330$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 3 16:38:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 14:38:55 -0700 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: Even when you're designing the whole system, figuring out the requirements from all the dust they blow your way and then making it work? I thought our neighbors to the North were quality seekers. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 03, 2007 12:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I must be the cheapest game in town. Some gigs I do for less than $50 an hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead of the greenback. But still nowhere near what some of you charge. Wow. There's no one in Canada that would pay $135 an hour, unless you can cure cancer. A. On 10/3/07, Jim Dettman wrote: > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I > do; development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 3 17:35:19 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 15:35:19 -0700 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: Hi Arthur: You can not charge more than $50.00 an hour unless you are a company... greater depth, more reliability and more certifications/degrees is the reason given. Want to become a company and then we can say we a nation wide? Jim ----- Original Message ----- From: Arthur Fuller Date: Wednesday, October 3, 2007 12:55 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > I must be the cheapest game in town. Some gigs I do for less > than $50 an > hour. Sheesh. Mind you, that's $50 CDN, which is currently ahead > of the > greenback. But still nowhere near what some of you charge. Wow. > There's no > one in Canada that would pay $135 an hour, unless you can cure cancer. > > A. > > On 10/3/07, Jim Dettman wrote: > > > > > > I must be cheap as I'm charging > $70/hr. Doesn't matter what I do; > > development, training, doc's, travel time, etc. > > > > I charge for my time and not the skill set. > > > > Jim. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From ssharkins at gmail.com Wed Oct 3 18:37:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 19:37:06 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> Message-ID: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> > > You can not charge more than $50.00 an hour unless you are a company... =======Says who? Susan H. From fuller.artful at gmail.com Wed Oct 3 18:51:23 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 3 Oct 2007 19:51:23 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> Message-ID: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> This might be a border issue, Susan. This side of the border, I think this is correct. I could be wrong. I'm no lawyer. Arthur On 10/3/07, Susan Harkins wrote: > > > > > You can not charge more than $50.00 an hour unless you are a company... > > > > =======Says who? > > Susan H. > From carbonnb at gmail.com Wed Oct 3 19:03:00 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 20:03:00 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Arthur Fuller wrote: > This might be a border issue, Susan. This side of the border, I think this > is correct. I could be wrong. I'm no lawyer. If this is true then I'm breaking the law everytime I do work for anyone. I don't think I've ever charged less than $50 per hour. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Wed Oct 3 19:04:28 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 3 Oct 2007 17:04:28 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com><17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com><29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Who says crime doesn't pay?? LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Wednesday, October 03, 2007 5:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees On 10/3/07, Arthur Fuller wrote: > This might be a border issue, Susan. This side of the border, I think > this is correct. I could be wrong. I'm no lawyer. If this is true then I'm breaking the law everytime I do work for anyone. I don't think I've ever charged less than $50 per hour. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 3 20:21:58 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 3 Oct 2007 21:21:58 -0400 Subject: [AccessD] consulting fees In-Reply-To: <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: <17c80a4d0710031821q5b0c5604j368cd15b7042638c@mail.gmail.com> You have fixed fees in Canada? Susan H. This might be a border issue, Susan. This side of the border, I think this is correct. I could be wrong. I'm no lawyer. From carbonnb at gmail.com Wed Oct 3 20:32:02 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Wed, 3 Oct 2007 21:32:02 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Charlotte Foust wrote: > Who says crime doesn't pay?? LOL I just wish it was easier to find victims, er clients :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From pcs at azizaz.com Wed Oct 3 20:49:00 2007 From: pcs at azizaz.com (pcs at azizaz.com) Date: Thu, 4 Oct 2007 11:49:00 +1000 (EST) Subject: [AccessD] Basic Scripting Question Message-ID: <20071004114900.DEI18710@dommail.onthenet.com.au> Hi Dan, It appears that the vbscript56.chm has been scrapped by M$. VBScript is now part of their .NET Framework... I found this - may have your interest ... http://msdn2.microsoft.com/en-us/library/t0aew7h6.aspx Regards Borge ---- Original message ---- >Date: Wed, 3 Oct 2007 07:32:12 -0500 >From: "Dan Waters" >Subject: Re: [AccessD] Basic Scripting Question >To: "'Access Developers discussion and problem solving'" > >Hi Borge, > >There used to be a help file available called vbscript56.chm which covered >filesystemobjects, but I can't find it now. > >I did find this site which appears to be pretty helpful: > >http://www.excelsig.org/VBA/FileSystemObject.htm > >Best of Luck! >Dan > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com >Sent: Wednesday, October 03, 2007 12:39 AM >To: Access Developers discussion and problemsolving >Subject: [AccessD] Basic Scripting Question > >Hi, >I am discovering the world of scripting / vbscript > >Coding in VBA (Access2003) > >In the context for a code line like > > Set fs = CreateObject("Scripting.FileSystemObject") > > >how can I get intellisence into the created object? > >So that if I code fs. the various properties and methods >will appear > >What reference do I need to set? > >If I set a reference, is that what is called 'early binding' > >For the code to work I understand I don't need to set a >reference, right. > >But what library is driving the created object, providing >properties and methods? > >borge >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 3 21:08:32 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 19:08:32 -0700 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> Message-ID: Hi Susan... It is no rule just observation working both as a company and as a private contractor... It is the expectations of local clients. Jim ----- Original Message ----- From: Susan Harkins Date: Wednesday, October 3, 2007 4:37 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > > > > You can not charge more than $50.00 an hour unless you are a > company... > > > =======Says who? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From accessd at shaw.ca Wed Oct 3 21:27:05 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 03 Oct 2007 19:27:05 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Bryan; I thought you worked for the government... What department do you work for? Jim ----- Original Message ----- From: Charlotte Foust Date: Wednesday, October 3, 2007 5:07 pm Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > Who says crime doesn't pay?? LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan > Carbonnell > Sent: Wednesday, October 03, 2007 5:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] consulting fees > > On 10/3/07, Arthur Fuller wrote: > > This might be a border issue, Susan. This side of the border, > I think > > this is correct. I could be wrong. I'm no lawyer. > > If this is true then I'm breaking the law everytime I do work for > anyone. I don't think I've ever charged less than $50 per hour. > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preservedbody, but rather to skid in sideways, totally worn out, > shouting "What a > great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From carbonnb at gmail.com Thu Oct 4 04:36:48 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 4 Oct 2007 05:36:48 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/3/07, Jim Lawrence wrote: > Bryan; I thought you worked for the government... What department do you work for? Yep. My day job is working for the CBC in the Training department of the Toronto TV Production Centre. All the fees I've charged have been for side gigs I do, trying to get outta the CBC. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jimdettman at verizon.net Thu Oct 4 07:49:31 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 08:49:31 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> Message-ID: <01d401c80685$022b5370$8abea8c0@XPS> Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lmrazek at lcm-res.com Thu Oct 4 09:01:20 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Thu, 4 Oct 2007 09:01:20 -0500 Subject: [AccessD] consulting fees In-Reply-To: <01d401c80685$022b5370$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> Message-ID: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Thu Oct 4 09:12:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Thu, 4 Oct 2007 10:12:06 -0400 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <17c80a4d0710040712x69dea302wd0dbb1f21feae0ee@mail.gmail.com> First, you have to define bug and an unspecified request for change. A bug is something they asked for, but isn't working as they expected. If you can determine that the problem is on their end -- they didn't supply the right parameters, etc. -- you might try to charge for fixing that, but the convincing might take more time than just fixing the dang thing. If you made the mistake, you fix it for free. Changing something they don't like is up in the air -- if it's a simple fix, do it for the sake of good will. If it's going to take some time, send them a quote. Or, you could put them on a monthly service fee and do whatever they like as they crop up. This seems to be a popular trend, but I can see the sell being difficult for smaller applications. Susan H. On 10/4/07, Lawrence Mrazek wrote: > > Jim mentioned bug fixes ... Do we have opinions on whether you charge for > them or not? > > Larry Mrazek > LCM Research, Inc. > www.lcm-res.com > lmrazek at lcm-res.com > ph. 314-432-5886 > mobile: 314-496-1645 > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 7:50 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > Charlotte, > > <> > > Hum...don't know about that. Long ago, my rate was approx double what it > was now and it caused a multitude of problems. > > One of which was the never ending fight with some clients about what was > considered billable or not. Every invoice I sent was checked and god > forbid > I took ten minutes to get a coffee and forget to deduct it. Bug fixes was > another. Many times I got the "I'm not paying you $135/hr to make > mistakes" > comment. They expected everything to be fixed for free. Of course that > meant everything needed to be documented to the hilt, which actually > slowed > down the pace of many projects. > > There is also the issue of resentment that you need to deal with. A lot > of management and employees end up with the attitude that your "one of > those" (highly paid consultants) instead of "one of them" (a guy trying to > make a living). > > So quite some time ago, I cut my rate in half (has to be at least ten > years). As a result, I have a lot less headaches, still make $100K per > year, which is quite comfortable for where I live, have never been without > full time work, and I have a lot of happy clients that I can deal with > easily. > > There are of course some drawbacks, like never having enough free time to > learn new things, etc, but I'm happy enough with the way things are. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust > Sent: Wednesday, October 03, 2007 5:37 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] consulting fees > > You don't set enough value on your time, Jim. I only offer that kind of a > rate to non-profits or special buddies. My normal rate is (was, I haven't > done any consulting lately) between $150 and $200 depending on how much > they > irritate me! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Wednesday, October 03, 2007 12:25 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > > I must be cheap as I'm charging $70/hr. Doesn't matter what I do; > development, training, doc's, travel time, etc. > > I charge for my time and not the skill set. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins > Sent: Wednesday, October 03, 2007 1:59 PM > To: AccessD at databaseadvisors.com > Subject: [AccessD] consulting fees > > I have a unique consulting opportunity and I want to make sure I don't > under/over bid myself -- it's strictly for technical expertise -- not a > development or writing project. I'd be reviewing technical content for > technical accuracy, comprehension, and advice. This is much more than a > technical editor -- they already have that -- but rather, I'd be acting as > a > technical advisor/collaborator. > > My consulting fees are $135 an hour, but I'm in Kentucky and no one ever > even bats an eye. This company is in Texas. I don't do development work > anymore, period. > > I don't want to be too nosy and ask you guys what you charge. Advice? > Opinions? Insight? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Thu Oct 4 09:16:50 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 4 Oct 2007 07:16:50 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <000601c80691$34cf6210$0301a8c0@HAL9005> I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.0/1048 - Release Date: 10/3/2007 8:22 PM From jwcolby at colbyconsulting.com Thu Oct 4 09:29:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 10:29:51 -0400 Subject: [AccessD] consulting fees In-Reply-To: <01d401c80685$022b5370$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> Message-ID: <005001c80693$0717f970$657aa8c0@M90> Jim, I have to say your reasoning works for me. Add to that the fact that as your gross income goes up, your net taxable goes up even faster and it ends up that a horrific amount of the additional income goes to the government. Most of your deductible business expenses are approximately fixed - mileage traveled to see clients doesn't vary based on the rate you charge. Computers purchased, IRA contributions, medical insurance, all that stuff is not directly related to your rate. Those expenses are a relatively stable fixed amount so as your rate goes up your "tax deductible percentage" goes down, and thus the taxable amount goes up and the tax rate then goes up. We work and work to make more money only to find the government taking a larger and larger cut. But hey, the government's coffers fill up faster. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 8:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Thu Oct 4 09:41:30 2007 From: john at winhaven.net (John Bartow) Date: Thu, 4 Oct 2007 09:41:30 -0500 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <011601c80694$a6c0f890$6402a8c0@ScuzzPaq> My 2 cents... A bug is something that doesn't work as agreed upon when delivered or something that was specifically spelled out in a contract beforehand and not delivered with correct functionality. A bug is not something that doesn't work according to what the client wants after the client has approved the initial functionality (6 months or 3 years later). It is also not something that stops working correctly due to an Operating System change, additional software installations (including MS updates) or an infrastructure change (such as networking issues). To be more specific, if something worked correctly upon delivery and doesn't work correctly in the future - it is not a bug. It is a failure of function due to unforeseen changes in the application's environment. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? From DWUTKA at Marlow.com Thu Oct 4 10:00:32 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 4 Oct 2007 10:00:32 -0500 Subject: [AccessD] consulting fees In-Reply-To: <011601c80694$a6c0f890$6402a8c0@ScuzzPaq> Message-ID: If I find the source of a problem and go 'oops' or 'crap', then it's a bug. Otherwise, it's a design change. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Thursday, October 04, 2007 9:42 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees My 2 cents... A bug is something that doesn't work as agreed upon when delivered or something that was specifically spelled out in a contract beforehand and not delivered with correct functionality. A bug is not something that doesn't work according to what the client wants after the client has approved the initial functionality (6 months or 3 years later). It is also not something that stops working correctly due to an Operating System change, additional software installations (including MS updates) or an infrastructure change (such as networking issues). To be more specific, if something worked correctly upon delivery and doesn't work correctly in the future - it is not a bug. It is a failure of function due to unforeseen changes in the application's environment. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From EdTesiny at oasas.state.ny.us Thu Oct 4 10:04:20 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Thu, 4 Oct 2007 11:04:20 -0400 Subject: [AccessD] consulting fees In-Reply-To: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> Message-ID: As you know I'm in NY and we usually pay $125 per hour. However, we have a current contract with a consulting firm at a rate of $105 per hour but you have to factor in that the contract is for 500K. I think your rate is fine. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Susan Harkins > Sent: Wednesday, October 03, 2007 1:59 PM > To: AccessD at databaseadvisors.com > Subject: [AccessD] consulting fees > > I have a unique consulting opportunity and I want to make sure I don't > under/over bid myself -- it's strictly for technical > expertise -- not a > development or writing project. I'd be reviewing technical content for > technical accuracy, comprehension, and advice. This is much > more than a > technical editor -- they already have that -- but rather, I'd > be acting as a > technical advisor/collaborator. > > My consulting fees are $135 an hour, but I'm in Kentucky and > no one ever > even bats an eye. This company is in Texas. I don't do > development work > anymore, period. > > I don't want to be too nosy and ask you guys what you charge. Advice? > Opinions? Insight? > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From cfoust at infostatsystems.com Thu Oct 4 10:11:51 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 4 Oct 2007 08:11:51 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS> <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: I never charged for them if they were actually bugs and not just a change in the way they WANTED it to work. That's one reason my rate was fairly high. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 10:18:03 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 11:18:03 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <005501c80699$c269b690$657aa8c0@M90> I do the same thing Rocky. There are going to be bugs. Part of the cost of development is making the thing work such that all the remaining bugs (you will NEVER find and fix every single bug) do not effect the operation of the program. I am writing the program for them and so they pay for ALL COSTS of getting the program running. Debugging is just a cost of doing business. The fact that I do not find and fix every single bug before they get the code is irrelevant to the fact that it has to be fixed and someone has to pay for that. I NEVER implying that I write bug free code (except perhaps to you guys ;-), and I make clear that debugging and fixing bugs is a normal part of development that they pay for. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Thursday, October 04, 2007 10:17 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 From jimdettman at verizon.net Thu Oct 4 10:38:56 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 11:38:56 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <008c01c8069c$ae3ac0d0$8abea8c0@XPS> Rocky, That's my take here; if they want it bug free, I'll test the heck out of it, but they'll pay for all that testing. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Thursday, October 04, 2007 10:17 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I charge straight time - including bug fixes. With many clients I tell them that when I write a routine I make it work with a straight path through the code. I'm the alpha tester. But there are many ways to run a form from the outside, many sequences of operation, and there will be bugs. And operational awkwardness that they want polished. So I give them the option - I can send it to them for testing and fix the bugs they find and change the procedures to suit them, or I can spend a lot of time testing all the combinations. I tell them, and I believe this, that it's more economical for them to test it. And more effective. I KNOW the right way to do everything because I wrote the form and the code. Users do the craziest things. And the program has to account for that. All my clients prefer to be the beta tester. They also understand that there will be bugs. And I've never had anyone complain about the additional cost it takes to make a program work perfectly. Time, yes. Cost, no. But I make it clear up front so there's no dispute later. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.0/1048 - Release Date: 10/3/2007 8:22 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Thu Oct 4 10:42:55 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Thu, 04 Oct 2007 11:42:55 -0400 Subject: [AccessD] consulting fees In-Reply-To: <005001c80693$0717f970$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <005001c80693$0717f970$657aa8c0@M90> Message-ID: <009501c8069d$3bcf1b80$8abea8c0@XPS> John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:30 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim, I have to say your reasoning works for me. Add to that the fact that as your gross income goes up, your net taxable goes up even faster and it ends up that a horrific amount of the additional income goes to the government. Most of your deductible business expenses are approximately fixed - mileage traveled to see clients doesn't vary based on the rate you charge. Computers purchased, IRA contributions, medical insurance, all that stuff is not directly related to your rate. Those expenses are a relatively stable fixed amount so as your rate goes up your "tax deductible percentage" goes down, and thus the taxable amount goes up and the tax rate then goes up. We work and work to make more money only to find the government taking a larger and larger cut. But hey, the government's coffers fill up faster. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 8:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dw-murphy at cox.net Thu Oct 4 10:56:18 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Thu, 4 Oct 2007 08:56:18 -0700 Subject: [AccessD] Basic Scripting Question In-Reply-To: <20071004114900.DEI18710@dommail.onthenet.com.au> Message-ID: <002301c8069f$19ee6640$0200a8c0@murphy3234aaf1> Take a look at http://msdn2.microsoft.com/en-us/library/ms950396.aspx. Scripting is live and well. I use hta and script files for lots of little maintenance items. Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com Sent: Wednesday, October 03, 2007 6:49 PM To: Access Developers discussion and problemsolving Subject: Re: [AccessD] Basic Scripting Question Hi Dan, It appears that the vbscript56.chm has been scrapped by M$. VBScript is now part of their .NET Framework... I found this - may have your interest ... http://msdn2.microsoft.com/en-us/library/t0aew7h6.aspx Regards Borge ---- Original message ---- >Date: Wed, 3 Oct 2007 07:32:12 -0500 >From: "Dan Waters" >Subject: Re: [AccessD] Basic Scripting Question >To: "'Access Developers discussion and problem solving'" > >Hi Borge, > >There used to be a help file available called vbscript56.chm which covered >filesystemobjects, but I can't find it now. > >I did find this site which appears to be pretty helpful: > >http://www.excelsig.org/VBA/FileSystemObject.htm > >Best of Luck! >Dan > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of pcs at azizaz.com >Sent: Wednesday, October 03, 2007 12:39 AM >To: Access Developers discussion and problemsolving >Subject: [AccessD] Basic Scripting Question > >Hi, >I am discovering the world of scripting / vbscript > >Coding in VBA (Access2003) > >In the context for a code line like > > Set fs = CreateObject("Scripting.FileSystemObject") > > >how can I get intellisence into the created object? > >So that if I code fs. the various properties and methods >will appear > >What reference do I need to set? > >If I set a reference, is that what is called 'early binding' > >For the code to work I understand I don't need to set a reference, >right. > >But what library is driving the created object, providing properties >and methods? > >borge >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Thu Oct 4 11:21:26 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Thu, 4 Oct 2007 12:21:26 -0400 Subject: [AccessD] consulting fees In-Reply-To: <000601c80691$34cf6210$0301a8c0@HAL9005> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <000601c80691$34cf6210$0301a8c0@HAL9005> Message-ID: <17c80a4d0710040921i3ce3a26dl5daa7081564791dc@mail.gmail.com> Rocky, I have done that too and found it a positive experience for both sides. Susan H. > > So I give them the option - I can send it to them for testing and fix the > bugs they find and change the procedures to suit them, or I can spend a > lot > of time testing all the combinations. I tell them, and I believe this, > that > it's more economical for them to test it. And more effective. I KNOW the > right way to do everything because I wrote the form and the code. Users > do > the craziest things. And the program has to account for that. > > All my clients prefer to be the beta tester. They also understand that > there will be bugs. And I've never had anyone complain about the > additional > cost it takes to make a program work perfectly. Time, yes. Cost, > no. But > I make it clear up front so there's no dispute later. > > From robert at webedb.com Thu Oct 4 12:53:05 2007 From: robert at webedb.com (Robert L. Stewart) Date: Thu, 04 Oct 2007 12:53:05 -0500 Subject: [AccessD] consulting fees In-Reply-To: References: Message-ID: <200710041755.l94HtPE6006500@databaseadvisors.com> Define "bug." If is does not work, I fix it free. If it works the way they wanted and they changed their mind and called it a bug, it is most assuredly billable. If it works and I change it, it is billable. Robert At 10:56 AM 10/4/2007, you wrote: >Date: Thu, 4 Oct 2007 09:01:20 -0500 >From: "Lawrence Mrazek" >Subject: Re: [AccessD] consulting fees >To: "'Access Developers discussion and problem solving'" > >Message-ID: <03ac01c8068f$0c5bec60$056fa8c0 at lcmdv8000> >Content-Type: text/plain; charset="us-ascii" > >Jim mentioned bug fixes ... Do we have opinions on whether you charge for >them or not? > >Larry Mrazek >LCM Research, Inc. >www.lcm-res.com >lmrazek at lcm-res.com >ph. 314-432-5886 >mobile: 314-496-1645 From jengross at gte.net Thu Oct 4 13:10:15 2007 From: jengross at gte.net (Jennifer Gross) Date: Thu, 04 Oct 2007 11:10:15 -0700 Subject: [AccessD] consulting fees In-Reply-To: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> Message-ID: <00dd01c806b1$d562d020$6501a8c0@jefferson> Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 13:43:05 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 14:43:05 -0400 Subject: [AccessD] consulting fees In-Reply-To: <00dd01c806b1$d562d020$6501a8c0@jefferson> References: <03ac01c8068f$0c5bec60$056fa8c0@lcmdv8000> <00dd01c806b1$d562d020$6501a8c0@jefferson> Message-ID: <005c01c806b6$67976a10$657aa8c0@M90> >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Thu Oct 4 13:55:53 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Thu, 4 Oct 2007 19:55:53 +0100 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <003801c806b8$311618e0$8119fea9@LTVM> And I bet you call him "Tiny Tim" Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Thu Oct 4 14:15:49 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Thu, 04 Oct 2007 12:15:49 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Ahh... I see Bryan. Just thought you were working in some well heeled department I had never heard about. The whole trick is to get some steady high paying gig. These one offs are great but after a week or so the client wants to see your tail-end. A steady medium priced gig and a few monthly support fee is what I have been living on. Jim ----- Original Message ----- From: Bryan Carbonnell Date: Thursday, October 4, 2007 2:38 am Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > On 10/3/07, Jim Lawrence wrote: > > Bryan; I thought you worked for the government... What > department do you work for? > > Yep. My day job is working for the CBC in the Training > department of > the Toronto TV Production Centre. > > All the fees I've charged have been for side gigs I do, trying > to get > outta the CBC. > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jengross at gte.net Thu Oct 4 18:18:47 2007 From: jengross at gte.net (Jennifer Gross) Date: Thu, 04 Oct 2007 16:18:47 -0700 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <005201c806dc$f09dbbe0$6501a8c0@jefferson> Is he single? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Thursday, October 04, 2007 2:10 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Hi Larry, My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Otherwise, all bug fixes are on them. Most clients want it done yesterday so they are willing to do their own beta testing and pay me to fix "bugs". Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 04, 2007 7:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Jim mentioned bug fixes ... Do we have opinions on whether you charge for them or not? Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 7:50 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees Charlotte, <> Hum...don't know about that. Long ago, my rate was approx double what it was now and it caused a multitude of problems. One of which was the never ending fight with some clients about what was considered billable or not. Every invoice I sent was checked and god forbid I took ten minutes to get a coffee and forget to deduct it. Bug fixes was another. Many times I got the "I'm not paying you $135/hr to make mistakes" comment. They expected everything to be fixed for free. Of course that meant everything needed to be documented to the hilt, which actually slowed down the pace of many projects. There is also the issue of resentment that you need to deal with. A lot of management and employees end up with the attitude that your "one of those" (highly paid consultants) instead of "one of them" (a guy trying to make a living). So quite some time ago, I cut my rate in half (has to be at least ten years). As a result, I have a lot less headaches, still make $100K per year, which is quite comfortable for where I live, have never been without full time work, and I have a lot of happy clients that I can deal with easily. There are of course some drawbacks, like never having enough free time to learn new things, etc, but I'm happy enough with the way things are. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 03, 2007 5:37 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees You don't set enough value on your time, Jim. I only offer that kind of a rate to non-profits or special buddies. My normal rate is (was, I haven't done any consulting lately) between $150 and $200 depending on how much they irritate me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Wednesday, October 03, 2007 12:25 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I must be cheap as I'm charging $70/hr. Doesn't matter what I do; development, training, doc's, travel time, etc. I charge for my time and not the skill set. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 03, 2007 1:59 PM To: AccessD at databaseadvisors.com Subject: [AccessD] consulting fees I have a unique consulting opportunity and I want to make sure I don't under/over bid myself -- it's strictly for technical expertise -- not a development or writing project. I'd be reviewing technical content for technical accuracy, comprehension, and advice. This is much more than a technical editor -- they already have that -- but rather, I'd be acting as a technical advisor/collaborator. My consulting fees are $135 an hour, but I'm in Kentucky and no one ever even bats an eye. This company is in Texas. I don't do development work anymore, period. I don't want to be too nosy and ask you guys what you charge. Advice? Opinions? Insight? Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Thu Oct 4 18:43:30 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 4 Oct 2007 18:43:30 -0500 Subject: [AccessD] consulting fees In-Reply-To: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 1:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Thu Oct 4 20:33:23 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 21:33:23 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <005c01c806b6$67976a10$657aa8c0@M90> Message-ID: <007201c806ef$b8d6e2a0$657aa8c0@M90> I think Jennifer might want to talk to you. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 04, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 1:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees >My policy on bug fixes is that if the client wants to pay for a fully documented set of measurable objectives as well as an independent company to run true beta testing, then I will not charge for bug fixes. Oooooh I like that. If I ever get static on my policy I will use that one! So far no one has ever given me static. Of course I always take Larry (6'5, 300 lbs, "Mom" tatoo") in to my negotiations with me. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 4 21:50:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 4 Oct 2007 22:50:50 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <009501c8069d$3bcf1b80$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> Message-ID: <007401c806fa$8ac9c9d0$657aa8c0@M90> I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. From anitatiedemann at gmail.com Thu Oct 4 23:50:04 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 5 Oct 2007 14:50:04 +1000 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <003301c805f3$26589330$8abea8c0@XPS> <01d401c80685$022b5370$8abea8c0@XPS> <005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: John, We at DDI Solultions use our own custom made database. It does everything that your spreadsheet does and also keeps track of who billed what and who incurred the expense as we are 4 partners. We can click a button to produce the tax figures for our accountant and we have an executive summary screen where we can see where we are at regarding invoicing, expected payments, tax saved up etc etc. We each do our own billing and enter our own expenses in the database. We don't spend much time on administration at all. Probably less than 1 hour each per month. Anita 1. How much money we each have 2. How much tax we have each saved up 3. The total $ eachHow much we have under process how much tax we owe On 10/5/07, jwcolby wrote: > > I have developed a really cool and useful spreadsheet to allow me to track > my actual expenses, income, taxes etc. It has so far been a work in > progress, leaving last month's sheet locked and copying it to a new sheet > for this month, then to new sheets for "out into the future". It allows > me > to input my actual billing (from the previous month) or projected billing > which will be the "income". > > I have columns for Expense name, Expense amount, "will pay this someday", > paid but not cleared and cleared checkboxes (actually little Xs). > > Putting an x in those columns copies the expense amount over to a "paid > but > not cleared" and "Paid and cleared" column. The Expense Amount, Billed > Not > Paid and Billed and Paid columns get summed at the bottom. Thus these > three > columns show what my expenses are, what expenses have been paid but the > money has not been deducted from my account, and bills paid and deducted > from my account. > > I use internet banking and can see my bills clear and my account balance > at > any given instant in time which I copy into the spreadsheet as I update > the > Xs that mark bills paid not cleared and paid and cleared. > > Off to the right side I have a pair of columns to track the bank account, > Billing not received, Paid not Cleared etc. > > Also in the same column I have a small section for tax deductible items - > medical insurance, mortgage interest, SEP IRA, FICA (self insurance > actually) etc. > > Way off out of sight I have a section to compute the FICA using the rules > for Sole Proprietor. Another area calculates the Progressive tax on the > actual (annualized) taxable amount. > > And finally a section that computes my taxes (roughly) and feeds it back > in > to the expense column. > > Doing all of this allows all of my totals to change as I enter any bill > over > in the left hand "expense amount" column. Also as I change my billing it > updates my taxes owed and subtracts all expenses (taxes are fed into the > expense column) to give me a "net after expenses" (truly sad). > > But... The good news is that for the first time EVER I know my financial > state given my bills and a billing amount. And it WORKS! I can see what > my > FICA is so I can save that in a tax account, and what my state and federal > taxes will be after legitimate deductions so I can save that in a tax > account. In future months I can play with how much I pay to credit cards > (I'm paying them off), how much I pay into my various tax deductions such > as > medical and SEP Ira and have that instantly feed back to tell me how much > has to go into the tax account (again, roughly) as my deductions > change. Or > how much I have to work (bill) to pay all the bills and have X dollars > left > over. It can be depressing but at least I know where I stand or where I > could stand if I worked 20 hours every day. > > Would anyone care to comment on what you use to know your financial > position. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 11:43 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > John, > > You make an excellent point. There are some other things that do go up as > a result as well, like workmen's comp and disability insurance, but those > are minor when compared to the government's take. > > Jim. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Fri Oct 5 00:40:55 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 4 Oct 2007 22:40:55 -0700 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <000e01c80712$4d03ce80$0301a8c0@HAL9005> Embarrassing to admit but I still keep the corporate books on a thirteen column green pad. In pencil. Been working effectively like that since 1980. Think of it as the original spreadsheet. I use the cigar box method of accounting. Put all the money in the box as it comes in. Take money out to pay the business expenses as they come in. Whatever's left in the box at the end of the year is mine. One paycheck in December - the accountant calculates all the state and federal skim. Keeps things simple. BTW, I take the minimum paycheck I can get away with. The balance, God willing there is some, goes directly onto my personal return anyway since it's a sub-S corp. But it saves quite a bit on the SS - both mine and the corp's - and Medicare taxes and some state taxes. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: 10/4/2007 5:03 PM From carbonnb at gmail.com Fri Oct 5 04:32:16 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 5 Oct 2007 05:32:16 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/4/07, Jim Lawrence wrote: > Ahh... I see Bryan. Just thought you were working in some well heeled department I had never heard about. No, Just a super secret agency, that's why I said I work for the Mother Corp :) > The whole trick is to get some steady high paying gig. These one offs are great but after a week or so the client wants to see your tail-end. Naw, the whole trick is getting one well paying gig that will let you retire :) > A steady medium priced gig and a few monthly support fee is what I have been living on. I just started living on my base salary again, not the management upgrade I've been in for the last 6 years :( Nothing like a 25% pay cut!! -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Fri Oct 5 07:20:38 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 08:20:38 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <000e01c80712$4d03ce80$0301a8c0@HAL9005> References: <007401c806fa$8ac9c9d0$657aa8c0@M90> <000e01c80712$4d03ce80$0301a8c0@HAL9005> Message-ID: <000201c8074a$2433ad80$657aa8c0@M90> LOL, OK. I am sure that the rest of us wish we could be paid once per year. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 05, 2007 1:41 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees Embarrassing to admit but I still keep the corporate books on a thirteen column green pad. In pencil. Been working effectively like that since 1980. Think of it as the original spreadsheet. I use the cigar box method of accounting. Put all the money in the box as it comes in. Take money out to pay the business expenses as they come in. Whatever's left in the box at the end of the year is mine. One paycheck in December - the accountant calculates all the state and federal skim. Keeps things simple. BTW, I take the minimum paycheck I can get away with. The balance, God willing there is some, goes directly onto my personal return anyway since it's a sub-S corp. But it saves quite a bit on the SS - both mine and the corp's - and Medicare taxes and some state taxes. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 7:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: 10/4/2007 5:03 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Fri Oct 5 08:20:25 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 5 Oct 2007 08:20:25 -0500 Subject: [AccessD] consulting fees In-Reply-To: <007201c806ef$b8d6e2a0$657aa8c0@M90> Message-ID: LOL, not single. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 8:33 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees I think Jennifer might want to talk to you. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 04, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] consulting fees I'm 6'2", 4 tattoos (none of them say Mom though...) ;). Had to post though, it's almost Friday, gotta tell ya'll an odd story from Monday. My little girl is a bit behind the curve on riding a bike, so I've been going up to see her a lot to help her learn. On Monday, after work, I swung home, took a shower, and put on shorts and a tank top (because when I go up in jeans and a 'work shirt' (collared/buttoned), I end up sweating to death, from running behind her). I'm driving up 75, and I'm about 5 minutes away from my exit, when this car pulls along and starts honking. He rolls down his window and starts pointing down. Well, last weekend I had a nail in my tire, and had a shop next door fix it. (they just pulled the nail and put in a plug) So my immediate thought was that the plug didn't work, and my tires going flat again, so I pull of the highway. The whole way I'm praying that I'm not destroying the tire. Get to a place to pull off the service road, and get out to look at the tire.... It's fine. So now I'm looking under the car, seeing if I'm dragging something... suddenly the guy who honked at me pulls up. 'I was just saying you had a cool tattoo!'. I have a panther tat on my right upper arm, and he was trying to point to his arm, to say he liked my tat.... Ummmm.... I said thanks, hopped in the car and had NO idea why they give some people driver's licenses. Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jimdettman at verizon.net Fri Oct 5 08:26:17 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 09:26:17 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <024d01c80753$5efdf200$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Fri Oct 5 08:31:19 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 09:31:19 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <024e01c80754$1f1d4b80$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 5 08:46:30 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 5 Oct 2007 09:46:30 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <024d01c80753$5efdf200$8abea8c0@XPS> Message-ID: <003a01c80756$256f9270$4b3a8343@SusanOne> I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. > John, > > < position.>> > > I take a pretty simplistic approach to my books. My AR is setup in > Access, which gives me an aging. I really don't look at it too much as I > bill bi-monthly and my terms are net 15. If I don't see a check, work > stops > until I get one (actually, I've never had to resort to that yet). Part of > the idea behind that is if there is a problem, it surfaces real quick. It > also keeps up a nice cash flow. > > As far as AP, I have so few bills really that it's just simpler to do > them > by hand. For payroll I have a single spreadsheet to calculate the FICA > and > record Federal and State taxes owed. Since I deposit monthly for both > it's > easy to keep on top of those. I also use Access for tracking my expense > reports, which I typically don't bother with till year end. > > At the end of the year, I do an income/expense statement just by looking > at my billings and then running through the check book and cc statements > to > pickup expenses. I also come up with some balance sheet totals, and then > send it to the accountant. He takes care of the corporate tax filings. > Actually, he's been after me for years to get it all computerized with > something, but client work always comes first, so it's something that I > just > never seem to get around to. > > Only other thing I need to keep track of is Sales Taxes, but I try to > avoid selling any hardware or software directly anymore. What I do is > make > recommendations, scope out sources, and then turn it over to the client to > order it directly. I do pay some use taxes on stuff I buy over the > Internet, like my MSDN Universal subscription, which I keep track of on a > spreadsheet and remit quarterly. > > Jim. > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 04, 2007 10:51 PM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Budget spreadsheet - was RE: consulting fees > > I have developed a really cool and useful spreadsheet to allow me to track > my actual expenses, income, taxes etc. It has so far been a work in > progress, leaving last month's sheet locked and copying it to a new sheet > for this month, then to new sheets for "out into the future". It allows > me > to input my actual billing (from the previous month) or projected billing > which will be the "income". > > I have columns for Expense name, Expense amount, "will pay this someday", > paid but not cleared and cleared checkboxes (actually little Xs). > > Putting an x in those columns copies the expense amount over to a "paid > but > not cleared" and "Paid and cleared" column. The Expense Amount, Billed > Not > Paid and Billed and Paid columns get summed at the bottom. Thus these > three > columns show what my expenses are, what expenses have been paid but the > money has not been deducted from my account, and bills paid and deducted > from my account. > > I use internet banking and can see my bills clear and my account balance > at > any given instant in time which I copy into the spreadsheet as I update > the > Xs that mark bills paid not cleared and paid and cleared. > > Off to the right side I have a pair of columns to track the bank account, > Billing not received, Paid not Cleared etc. > > Also in the same column I have a small section for tax deductible items - > medical insurance, mortgage interest, SEP IRA, FICA (self insurance > actually) etc. > > Way off out of sight I have a section to compute the FICA using the rules > for Sole Proprietor. Another area calculates the Progressive tax on the > actual (annualized) taxable amount. > > And finally a section that computes my taxes (roughly) and feeds it back > in > to the expense column. > > Doing all of this allows all of my totals to change as I enter any bill > over > in the left hand "expense amount" column. Also as I change my billing it > updates my taxes owed and subtracts all expenses (taxes are fed into the > expense column) to give me a "net after expenses" (truly sad). > > But... The good news is that for the first time EVER I know my financial > state given my bills and a billing amount. And it WORKS! I can see what > my > FICA is so I can save that in a tax account, and what my state and federal > taxes will be after legitimate deductions so I can save that in a tax > account. In future months I can play with how much I pay to credit cards > (I'm paying them off), how much I pay into my various tax deductions such > as > medical and SEP Ira and have that instantly feed back to tell me how much > has to go into the tax account (again, roughly) as my deductions change. > Or > how much I have to work (bill) to pay all the bills and have X dollars > left > over. It can be depressing but at least I know where I stand or where I > could stand if I worked 20 hours every day. > > Would anyone care to comment on what you use to know your financial > position. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman > Sent: Thursday, October 04, 2007 11:43 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] consulting fees > > John, > > You make an excellent point. There are some other things that do go up > as > a result as well, like workmen's comp and disability insurance, but those > are minor when compared to the government's take. > > Jim. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jimdettman at verizon.net Fri Oct 5 09:07:36 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 10:07:36 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <007401c806fa$8ac9c9d0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90> <009501c8069d$3bcf1b80$8abea8c0@XPS> <007401c806fa$8ac9c9d0$657aa8c0@M90> Message-ID: <026d01c80759$1acd8720$8abea8c0@XPS> John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 5 09:43:26 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 5 Oct 2007 09:43:26 -0500 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <003a01c80756$256f9270$4b3a8343@SusanOne> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><00 3301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693 $0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8a c9c9d0$657aa8c0@M90><024d01c80753$5efdf200$8abea8c0@XPS> <003a01c80756$256f9270$4b3a8343@SusanOne> Message-ID: Ya'll should take a look at the neat receipts scanner. It is a very nice scanner designed specifically to scan and keep track of receipts in a database. It could serve as a great enhancement to the spreadsheets you have all described. http://www.neatreceipts.com/ Personally I use this and quicken home/business. I've boiled everything down to where it is almost all electronic. I seldom write checks anymore. All paychecks, bank statements , investment accounts, 401k, credit card accounts, etc. transactions I download directly into quicken. I download almost all the statements in pdf form to store. Tax info loads directly from quicken into turbotax. Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 05, 2007 8:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Fri Oct 5 09:48:46 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 10:48:46 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <026d01c80759$1acd8720$8abea8c0@XPS> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <026d01c80759$1acd8720$8abea8c0@XPS> Message-ID: <000801c8075e$d5c77cc0$657aa8c0@M90> I'm not sure where the problem lies but I have received three copies of this email. Only one from everyone else so it appears that it is probably somewhere in your vicinity. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 05, 2007 10:08 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From EdTesiny at oasas.state.ny.us Fri Oct 5 09:51:01 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Fri, 5 Oct 2007 10:51:01 -0400 Subject: [AccessD] Fields in Datasheet View Message-ID: Hi All, A colleague has a table with a field 'matscode'. It appears in the table in design mode. In datasheet mode it is missing. If you use the table to create a form, query or report the field is where it should be, it's the third field in the table. It's just not visible in datasheet view, any clue as to why? MTIA Ed Edward P. Tesiny Assistant Director for Evaluation Bureau of Evaluation and Practice Improvement New York State OASAS 1450 Western Ave. Albany, New York 12203-3526 Phone: (518) 485-7189 Fax: (518) 485-5769 Email: EdTesiny at oasas.state.ny.us From cfoust at infostatsystems.com Fri Oct 5 09:53:03 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 07:53:03 -0700 Subject: [AccessD] Has Data in .Net Message-ID: Here's a routine I came up with to quickly answer the question of whether any data exists in a record, outside of the key fields. We populate a field with a new record if there are none, but we want to throw it away if they don't enter any data. CurrentRow is a function that returns a datarowview of the current record in a single record form using the binding context. Private Function HasData() As Boolean ' Charlotte Foust 03-Oct-07 Dim blnData As Boolean = False Dim intKeys As Integer = 2 Try Dim flds() As Object = Me.CurrentRow.ItemArray ' skip the PK columns, which are filled by default For i As Integer = intKeys To flds.GetLength(0) - 1 If Not IsDBNull(flds(i)) Then blnData = True Exit For End If Next Catch ex As Exception UIExceptionHandler.ProcessException(ex) End Try Return blnData End Function This is in a subform module, but it could pretty easily be converted to a public function in a shared class. Charlotte Foust From EdTesiny at oasas.state.ny.us Fri Oct 5 10:11:19 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Fri, 5 Oct 2007 11:11:19 -0400 Subject: [AccessD] Fields in Datasheet View In-Reply-To: References: Message-ID: Never mind, deleted the field and re-entered it and it appears in datasheet view. Guess there was a hiccup in the system. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Friday, October 05, 2007 10:51 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Fields in Datasheet View > > Hi All, > A colleague has a table with a field 'matscode'. It appears in the > table in design mode. In datasheet mode it is missing. If > you use the > table to create a form, query or report the field is where it > should be, > it's the third field in the table. It's just not visible in datasheet > view, any clue as to why? > MTIA > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement > New York State OASAS > 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jimdettman at verizon.net Fri Oct 5 10:22:18 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 05 Oct 2007 11:22:18 -0400 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: <000801c8075e$d5c77cc0$657aa8c0@M90> References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com><003301c805f3$26589330$8abea8c0@XPS><01d401c80685$022b5370$8abea8c0@XPS><005001c80693$0717f970$657aa8c0@M90><009501c8069d$3bcf1b80$8abea8c0@XPS><007401c806fa$8ac9c9d0$657aa8c0@M90> <026d01c80759$1acd8720$8abea8c0@XPS> <000801c8075e$d5c77cc0$657aa8c0@M90> Message-ID: <000901c80763$8872c9c0$8abea8c0@XPS> John, My Outlook has timed out in the middle of sending 3 times this morning as my ISP is having problems. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I'm not sure where the problem lies but I have received three copies of this email. Only one from everyone else so it appears that it is probably somewhere in your vicinity. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 05, 2007 10:08 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees John, <> I take a pretty simplistic approach to my books. My AR is setup in Access, which gives me an aging. I really don't look at it too much as I bill bi-monthly and my terms are net 15. If I don't see a check, work stops until I get one (actually, I've never had to resort to that yet). Part of the idea behind that is if there is a problem, it surfaces real quick. It also keeps up a nice cash flow. As far as AP, I have so few bills really that it's just simpler to do them by hand. For payroll I have a single spreadsheet to calculate the FICA and record Federal and State taxes owed. Since I deposit monthly for both it's easy to keep on top of those. I also use Access for tracking my expense reports, which I typically don't bother with till year end. At the end of the year, I do an income/expense statement just by looking at my billings and then running through the check book and cc statements to pickup expenses. I also come up with some balance sheet totals, and then send it to the accountant. He takes care of the corporate tax filings. Actually, he's been after me for years to get it all computerized with something, but client work always comes first, so it's something that I just never seem to get around to. Only other thing I need to keep track of is Sales Taxes, but I try to avoid selling any hardware or software directly anymore. What I do is make recommendations, scope out sources, and then turn it over to the client to order it directly. I do pay some use taxes on stuff I buy over the Internet, like my MSDN Universal subscription, which I keep track of on a spreadsheet and remit quarterly. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 04, 2007 10:51 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Budget spreadsheet - was RE: consulting fees I have developed a really cool and useful spreadsheet to allow me to track my actual expenses, income, taxes etc. It has so far been a work in progress, leaving last month's sheet locked and copying it to a new sheet for this month, then to new sheets for "out into the future". It allows me to input my actual billing (from the previous month) or projected billing which will be the "income". I have columns for Expense name, Expense amount, "will pay this someday", paid but not cleared and cleared checkboxes (actually little Xs). Putting an x in those columns copies the expense amount over to a "paid but not cleared" and "Paid and cleared" column. The Expense Amount, Billed Not Paid and Billed and Paid columns get summed at the bottom. Thus these three columns show what my expenses are, what expenses have been paid but the money has not been deducted from my account, and bills paid and deducted from my account. I use internet banking and can see my bills clear and my account balance at any given instant in time which I copy into the spreadsheet as I update the Xs that mark bills paid not cleared and paid and cleared. Off to the right side I have a pair of columns to track the bank account, Billing not received, Paid not Cleared etc. Also in the same column I have a small section for tax deductible items - medical insurance, mortgage interest, SEP IRA, FICA (self insurance actually) etc. Way off out of sight I have a section to compute the FICA using the rules for Sole Proprietor. Another area calculates the Progressive tax on the actual (annualized) taxable amount. And finally a section that computes my taxes (roughly) and feeds it back in to the expense column. Doing all of this allows all of my totals to change as I enter any bill over in the left hand "expense amount" column. Also as I change my billing it updates my taxes owed and subtracts all expenses (taxes are fed into the expense column) to give me a "net after expenses" (truly sad). But... The good news is that for the first time EVER I know my financial state given my bills and a billing amount. And it WORKS! I can see what my FICA is so I can save that in a tax account, and what my state and federal taxes will be after legitimate deductions so I can save that in a tax account. In future months I can play with how much I pay to credit cards (I'm paying them off), how much I pay into my various tax deductions such as medical and SEP Ira and have that instantly feed back to tell me how much has to go into the tax account (again, roughly) as my deductions change. Or how much I have to work (bill) to pay all the bills and have X dollars left over. It can be depressing but at least I know where I stand or where I could stand if I worked 20 hours every day. Would anyone care to comment on what you use to know your financial position. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Thursday, October 04, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] consulting fees John, You make an excellent point. There are some other things that do go up as a result as well, like workmen's comp and disability insurance, but those are minor when compared to the government's take. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From max.wanadoo at gmail.com Fri Oct 5 09:52:26 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 5 Oct 2007 15:52:26 +0100 Subject: [AccessD] Budget spreadsheet - was RE: consulting fees In-Reply-To: Message-ID: <00e801c8075f$59b104c0$8119fea9@LTVM> Hello All, I don't have the problems you lot seem to be having, but I thought you might like to know about some nice software which I use for my own accounts for the last few years. No frills, but very good. AceMoney. http://www.mechcad.net/products/acemoney/ The lite version (only one account) is totally free. The other is very cheap. Regards Max P.s It also handles investments, tracking etc for you very rich people. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Friday, October 05, 2007 3:43 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees Ya'll should take a look at the neat receipts scanner. It is a very nice scanner designed specifically to scan and keep track of receipts in a database. It could serve as a great enhancement to the spreadsheets you have all described. http://www.neatreceipts.com/ Personally I use this and quicken home/business. I've boiled everything down to where it is almost all electronic. I seldom write checks anymore. All paychecks, bank statements , investment accounts, 401k, credit card accounts, etc. transactions I download directly into quicken. I download almost all the statements in pdf form to store. Tax info loads directly from quicken into turbotax. Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 05, 2007 8:46 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Budget spreadsheet - was RE: consulting fees I use Access to track as well. I have a report that I work from for scheduling. In Excel I use a nifty expression that tracks my accounts receivable by the month -- I have to generate a specific amount of work each month to make ends meet and that helps me keep up with that. Excel keeps up with payments and estimated taxes. Susan H. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Fri Oct 5 11:00:20 2007 From: dwaters at usinternet.com (Dan Waters) Date: Fri, 5 Oct 2007 11:00:20 -0500 Subject: [AccessD] Fields in Datasheet View In-Reply-To: References: Message-ID: <002a01c80768$d4fb2080$0200a8c0@danwaters> Ed, The table column may have been hidden in datasheet view. This is just formatting. Right-click on a column and you can see a selection for Hide Columns. Pick the Format menu and you can see a selection to Unhide Columns. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed Sent: Friday, October 05, 2007 10:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Fields in Datasheet View Never mind, deleted the field and re-entered it and it appears in datasheet view. Guess there was a hiccup in the system. Ed Tesiny EdTesiny at oasas.state.ny.us > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Friday, October 05, 2007 10:51 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Fields in Datasheet View > > Hi All, > A colleague has a table with a field 'matscode'. It appears in the > table in design mode. In datasheet mode it is missing. If > you use the > table to create a form, query or report the field is where it > should be, > it's the third field in the table. It's just not visible in datasheet > view, any clue as to why? > MTIA > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement > New York State OASAS > 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Fri Oct 5 11:00:33 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Fri, 05 Oct 2007 09:00:33 -0700 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <29f585dd0710031239p502adb76w6e3b7f9cf2b9500a@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: Bryan; Belts will be a little tighter this winter?... Jim ----- Original Message ----- From: Bryan Carbonnell Date: Friday, October 5, 2007 2:33 am Subject: Re: [AccessD] consulting fees To: Access Developers discussion and problem solving > On 10/4/07, Jim Lawrence wrote: > > Ahh... I see Bryan. Just thought you were working in some well > heeled department I had never heard about. > > No, Just a super secret agency, that's why I said I work for the > Mother Corp :) > > > The whole trick is to get some steady high paying gig. These > one offs > are great but after a week or so the client wants to see your > tail-end. > > Naw, the whole trick is getting one well paying gig that will > let you retire :) > > > A steady medium priced gig and a few monthly support fee is > what I have been living on. > > I just started living on my base salary again, not the management > upgrade I've been in for the last 6 years :( > > Nothing like a 25% pay cut!! > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jwcolby at colbyconsulting.com Fri Oct 5 11:52:54 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 12:52:54 -0400 Subject: [AccessD] Importing XML into a database Message-ID: <000901c80770$2cefbe20$657aa8c0@M90> I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com From carbonnb at gmail.com Fri Oct 5 11:58:25 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 5 Oct 2007 12:58:25 -0400 Subject: [AccessD] consulting fees In-Reply-To: References: <17c80a4d0710031059t61cdb2a5g672dcfe656207338@mail.gmail.com> <17c80a4d0710031637p38635452n929a39a6fa2cb1cb@mail.gmail.com> <29f585dd0710031651u3b4f830ew5f0fef5497b28bbf@mail.gmail.com> Message-ID: On 10/5/07, Jim Lawrence wrote: > Bryan; Belts will be a little tighter this winter?... Yea. :( -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Fri Oct 5 12:06:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 10:06:55 -0700 Subject: [AccessD] Importing XML into a database In-Reply-To: <000901c80770$2cefbe20$657aa8c0@M90> References: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 12:14:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 13:14:40 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: References: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: <000a01c80773$37881dc0$657aa8c0@M90> What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Fri Oct 5 12:47:45 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 5 Oct 2007 10:47:45 -0700 Subject: [AccessD] Importing XML into a database In-Reply-To: <000a01c80773$37881dc0$657aa8c0@M90> References: <000901c80770$2cefbe20$657aa8c0@M90> <000a01c80773$37881dc0$657aa8c0@M90> Message-ID: DataSet. There are about 8 overloads, but here's an example of how we use it to read in our settings file: Dim ds As DataSet ds.ReadXml(_xmlPath) Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:15 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 12:57:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 13:57:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: References: <000901c80770$2cefbe20$657aa8c0@M90><000a01c80773$37881dc0$657aa8c0@M90> Message-ID: <000e01c80779$27296280$657aa8c0@M90> Thanks. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database DataSet. There are about 8 overloads, but here's an example of how we use it to read in our settings file: Dim ds As DataSet ds.ReadXml(_xmlPath) Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 10:15 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database What is it a method of? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 05, 2007 1:07 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Importing XML into a database John, I don't have any code handy but you want to use the ReadXML method to read the contents into a table. You can simply pass ReadXML a filename in one of its overloads. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 9:53 AM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 5 13:41:29 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 5 Oct 2007 14:41:29 -0400 Subject: [AccessD] OT Friday Message-ID: <001901c8077f$59f0bf50$4b3a8343@SusanOne> http://www.randomjoke.com/funny/micropsychic.php Well, I appreciated it. :) Rare that I read an entire article. Susan H. From shamil at users.mns.ru Fri Oct 5 14:01:02 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Fri, 5 Oct 2007 23:01:02 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000901c80770$2cefbe20$657aa8c0@M90> Message-ID: <000f01c80782$135a0a30$6401a8c0@nant> Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 14:31:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 15:31:51 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000f01c80782$135a0a30$6401a8c0@nant> References: <000901c80770$2cefbe20$657aa8c0@M90> <000f01c80782$135a0a30$6401a8c0@nant> Message-ID: <000101c80786$61b62c00$657aa8c0@M90> Holy smoke batman! Will this do the same to SQL Server if I change the connection? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 5 14:54:28 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 5 Oct 2007 15:54:28 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000f01c80782$135a0a30$6401a8c0@nant> References: <000901c80770$2cefbe20$657aa8c0@M90> <000f01c80782$135a0a30$6401a8c0@nant> Message-ID: <000201c80789$8a873590$657aa8c0@M90> Shamil, I generate the XML file using the serialization code provided by .Net. Imports System.IO Imports System.Xml.Serialization Public Class clsSerializableData ''' ''' Serializes the object to disk ''' ''' ''' ''' Public Function mSave(ByVal strFileName As String) As Int16 ' 'Make a temp filename Dim strTmpFileName As String strTmpFileName = strFileName & ".tmp" Dim TmpFileInfo As New FileInfo(strTmpFileName) 'check if it exists If TmpFileInfo.Exists Then Try TmpFileInfo.Delete() Catch ex As Exception Return -1 End Try End If ' 'Open the file Dim stream As New FileStream(strTmpFileName, FileMode.Create) ' 'Save the object mSave(stream) ' 'Close the object stream.Close() 'Remove the existing file Try TmpFileInfo.CopyTo(strFileName, True) Catch ex As Exception Return -2 End Try ' 'Rename the temp file Try TmpFileInfo.Delete() Catch ex As Exception Return -3 End Try End Function ''' ''' Performs the serialization ''' ''' ''' ''' Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function What I really want to do is to add code to this class to allow it to serialize itself to a table. Your code is tantalizing because it takes the end result of my serialization (the xml file) and loads it back in to a table which it then saves back to a data store. Can that code be adapted to short cut the actual storage of the data out to a file? I.e. open a stream that that the object can serialize itself to, but then hand that stream off to be immediately read back and stored in a data set? .Net has provided a very nice facility for serializing a class, but (AFAIK) it can only serialize itself to an XML file. It does so however by serializing itself onto a stream. If that stream can be simly held and not written to file, and then that stream handed back to a dataset to process into a table I would have the holy grail of serialization to a table. Any class could then serialize itself directly into a database table. Of course I am completely incapable of actually coding such a solution if it can even be done. Or perhaps this is doable directly and I am so ignorant that I do not even know it? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Fri Oct 5 14:58:04 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Fri, 5 Oct 2007 23:58:04 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000101c80786$61b62c00$657aa8c0@M90> Message-ID: <000301c8078a$0aedff70$6401a8c0@nant> Hello John, Yes, it will work for MS SQL similar way. And you can also change this code line: Dim cmd As New OleDbCommand("select * from [clsLogData]") If your target table name is different from [clsLogData]. E.g. if it's just [LogData] then you can write: Dim cmd As New OleDbCommand("select * from [LogData]") -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 11:32 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Holy smoke batman! Will this do the same to SQL Server if I change the connection? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 3:01 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Here is the code to store your XML file (let's call it clsLogData.xml) into MS Access database "testXML.mdb" in table named [clsLogData] with field names equal to XML file elements' names: Imports System.Data Imports System.Data.OleDb Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName Dim ds As New DataSet() Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" ds.ReadXml(xmlFileFullPath) Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [clsLogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub End Module Of course XML file has to have a root element if you wanted to import several records.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 8:53 PM To: 'Access Developers discussion and problem solving'; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Importing XML into a database I have found / written code in VB.Net to allow a class to write (and read) it's data out to a text file on disk. I use this ATM to log my import process. When I am done I have a log file per file imported. I will eventually be switching to a direct write to a data table but for now I need to know if I can import these log files into a table. The XML produced by the code looks like the following (actual file written): AK Complete 205453 \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 2007-10-03T12:55:49.890375-04:00 2007-10-03T12:57:15.49325-04:00 0 205453 90071218 : 10/3/2007 12:55:49 PM : Read Directory: TaxRolls 90071234 : 10/3/2007 12:55:49 PM : Loading CSVReader10/3/2007 12:55:49 PM 90071234 : 10/3/2007 12:55:49 PM : Read File: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071250 : 10/3/2007 12:55:49 PM : File Loaded: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\AK.txt 90071296 : 10/3/2007 12:55:49 PM : Bulk Copy: tblTaxRolls 90116640 : 10/3/2007 12:56:35 PM : Bulk Copy Finished: tblTaxRolls 90116656 : 10/3/2007 12:56:35 PM : RECORDS READ: 205453 90116656 : 10/3/2007 12:56:35 PM : RECORDS BULK COPIED: 205453 10/3/2007 12:56:35 PM : Copy Temp table AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : Temp table copied AK_X to the permanent table tblTaxRolls 10/3/2007 12:57:15 PM : DROPPED Temp table AK_X 90156765 : 10/3/2007 12:57:15 PM : Move to Archive: \\Stonehenge\psm\Data\FirstAmerican\TaxRolls\Archive\AK.txt Can SQL Server just read these files? Does anyone have any VB.Net code to read a file such as this and append the data to a table? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Fri Oct 5 17:41:16 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 6 Oct 2007 02:41:16 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000201c80789$8a873590$657aa8c0@M90> Message-ID: <000401c807a0$d765e480$6401a8c0@nant> Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 05, 2007 11:54 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, I generate the XML file using the serialization code provided by .Net. Imports System.IO Imports System.Xml.Serialization Public Class clsSerializableData ''' ''' Serializes the object to disk ''' ''' ''' ''' Public Function mSave(ByVal strFileName As String) As Int16 ' 'Make a temp filename Dim strTmpFileName As String strTmpFileName = strFileName & ".tmp" Dim TmpFileInfo As New FileInfo(strTmpFileName) 'check if it exists If TmpFileInfo.Exists Then Try TmpFileInfo.Delete() Catch ex As Exception Return -1 End Try End If ' 'Open the file Dim stream As New FileStream(strTmpFileName, FileMode.Create) ' 'Save the object mSave(stream) ' 'Close the object stream.Close() 'Remove the existing file Try TmpFileInfo.CopyTo(strFileName, True) Catch ex As Exception Return -2 End Try ' 'Rename the temp file Try TmpFileInfo.Delete() Catch ex As Exception Return -3 End Try End Function ''' ''' Performs the serialization ''' ''' ''' ''' Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function What I really want to do is to add code to this class to allow it to serialize itself to a table. Your code is tantalizing because it takes the end result of my serialization (the xml file) and loads it back in to a table which it then saves back to a data store. Can that code be adapted to short cut the actual storage of the data out to a file? I.e. open a stream that that the object can serialize itself to, but then hand that stream off to be immediately read back and stored in a data set? .Net has provided a very nice facility for serializing a class, but (AFAIK) it can only serialize itself to an XML file. It does so however by serializing itself onto a stream. If that stream can be simly held and not written to file, and then that stream handed back to a dataset to process into a table I would have the holy grail of serialization to a table. Any class could then serialize itself directly into a database table. Of course I am completely incapable of actually coding such a solution if it can even be done. Or perhaps this is doable directly and I am so ignorant that I do not even know it? John W. Colby Colby Consulting www.ColbyConsulting.com <<< tail skipped >>> From dajomigo at dgsolutions.net.au Fri Oct 5 18:42:07 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Sat, 06 Oct 2007 09:42:07 +1000 Subject: [AccessD] Combo box default value Message-ID: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> I hope someone can help with this. I am trying to control the default value of a combo box from a value in another combo box while showing the existing value for a record. I hope this makes sense. TIA David From miscellany at mvps.org Fri Oct 5 19:12:13 2007 From: miscellany at mvps.org (Steve Schapel) Date: Sat, 06 Oct 2007 13:12:13 +1300 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: <4706D2DD.8060503@mvps.org> David, The Default Value of a control only has a meaning at the point where a new record is being created. If another control already has a value, then that point has passed, and the default value of your combobox is no longer applicable. Perhaps you could explain a bit more detail about what you are doing, and someone will be able to suggest an alternative approach. Regards Steve David and Joanne Gould wrote: > I hope someone can help with this. I am trying to control the default > value of a combo box from a value in another combo box while showing > the existing value for a record. I hope this makes sense. From jwcolby at colbyconsulting.com Sat Oct 6 08:14:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sat, 6 Oct 2007 09:14:53 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000401c807a0$d765e480$6401a8c0@nant> References: <000201c80789$8a873590$657aa8c0@M90> <000401c807a0$d765e480$6401a8c0@nant> Message-ID: <001701c8081a$e2872a20$657aa8c0@M90> Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil From shamil at users.mns.ru Sat Oct 6 12:06:10 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 6 Oct 2007 21:06:10 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <001701c8081a$e2872a20$657aa8c0@M90> Message-ID: <000701c8083b$31542570$6401a8c0@nant> Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 7 15:43:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 7 Oct 2007 16:43:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000701c8083b$31542570$6401a8c0@nant> References: <001701c8081a$e2872a20$657aa8c0@M90> <000701c8083b$31542570$6401a8c0@nant> Message-ID: <000c01c80922$ac967a20$657aa8c0@M90> Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Saturday, October 06, 2007 1:06 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 8 01:55:20 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 8 Oct 2007 10:55:20 +0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <000c01c80922$ac967a20$657aa8c0@M90> Message-ID: <002f01c80978$3959a180$6401a8c0@nant> <<< Somehow the table has to be created in SQL Server first? >>> Yes. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 12:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Saturday, October 06, 2007 1:06 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, your code should work with some fixes: Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Imports System.IO Namespace TEST2 '' '' sample '' ''Sub Main() '' Dim rootDir As String = "E:\Temp\" '' Dim accDbFileName As String = "testXML.mdb" '' Dim accConnection As String = _ '' "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ '' rootDir + accDbFileName '' Try '' Dim o As New TEST2.myTestClass() '' o.mSave(accConnection, "tblTEST") '' Catch ex As Exception '' Console.WriteLine(ex.Message) '' End Try ''End Sub ''' ''' Custom serializer ''' ''' Public MustInherit Class CustomSerializer Protected Function mSave(ByVal stream As Stream) As String Dim className As String = Me.GetType().ToString() Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return className Catch ex As Exception Return "" End Try End Function Public Function mSave( _ ByVal lcnn As String, _ ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() Dim className As String = mSave(myStream) If (className.Length = 0) Then Throw New ApplicationException("Can't persist object data to memory stream") End If Dim dotIndex As Integer = className.LastIndexOf(".") If (dotIndex > 0) Then className = className.Substring(dotIndex + 1) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, className) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function End Class ''' ''' Sample test class ''' ''' Public Class myTestClass Inherits CustomSerializer Public Sub New() ' needed for XML serializer End Sub Public One As String = "1" Public Two As String = "2" End Class End Namespace <<< Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? >>> John, have a look in MSDN => XmlSerializer Constructor - it has many overloads, some of them allow to define RootElement.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Saturday, October 06, 2007 5:15 PM To: 'Access Developers discussion and problem solving' Cc: dba-vb at databaseadvisors.com Subject: Re: [AccessD] Importing XML into a database Shamil, First of all, thanks for your assistance on this. I am so new to VB.Net that I would never get there on my own, but given example code I can usually adapt it to my needs. OK, here is the adaptation I am trying. The concept is that I create a class which knows how to serialize an object (class). The following function performs that process using XMLSerializer to serialize the current class onto a stream passed in. Public Function mSave(ByVal stream As Stream) As Boolean Dim serializer As New XmlSerializer(Me.GetType) Try serializer.Serialize(stream, Me) Return True Catch ex As Exception Return False End Try End Function Now, here is your code for using a memory stream as you called it. This mSave method uses a connection string and a table name parameter. You set up a memory stream and call the mSave method shown above to serialize the object into that stream. Next your create a data set which reads the xml data back out of the stream, which creates a table in the data set using the xml file element names as field names in the resulting table (very nice). Finally the "Using" block of code writes the data now in the data set out to a table in the database. I left in the two lines of code (commented out the original, then modified in a second copy) where I assume I need to substitute in my passed in table name for your hard coded table names. Public Function mSave(ByVal lcnn As String, ByVal strTblName As String) As Int16 Try ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(lcnn) 'Dim cmd As New OleDbCommand("select * from [LogData]") Dim cmd As New OleDbCommand("select * from [" & strTblName & "]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn 'adapter.Update(ds, "clsLogData") adapter.Update(ds, strTblName ) cnn.Close() End Using Return 0 Catch ex As Exception Console.WriteLine(ex.Message) Return -1 End Try End Function So with these two methods, I build a clsSerializableData. This is inherited by any class that I want to be able to write (and read back in) its data. Assuming this works (I haven't yet tested it) I now can write any class' data to a file on disk (using a different existing mSave overload) or to table (using this new mSave overload). Is overload the right term here? Once I get this functioning I need to go back and generate the matching mLoad() method. I already have one to load the class from an xml disk file. Now I have to build one to load it from an existing table in the database. I will let you know how the testing goes. I am curious what the data types will be for this table. The data types of the class are known to the xmlSerializer but the data type does not show up in the XML file produced from the stream. Is it possible to tell the serializer to include data types in the xml file? Is this part of the XML standard? At any rate, again, thanks a million for your assistance on this Shamil. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Friday, October 05, 2007 6:41 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Hello John, Yes, I think you can use MemoryStream - here is a sample code (watch line wraps): Imports System.Data Imports System.Data.OleDb Imports System.Xml.Serialization Module TestImportXmlFile Sub Main() Dim rootDir As String = "E:\Temp\XML\" Dim accDbFileName As String = "testXML.mdb" Try Dim accConnection As String = _ "Provider=Microsoft.Jet.OLEDB.4.0;Data Source=" + _ rootDir + accDbFileName ' simulate custom object instance by ' using DataSet instance, which data ' is loaded from external XMl file Dim xmlFileFullPath As String = rootDir + "clsLogData.xml" Dim textImportStream As System.IO.StreamReader = _ New IO.StreamReader(xmlFileFullPath) Dim dsObjectSimulator As New DataSet() dsObjectSimulator.ReadXml(textImportStream, _ XmlReadMode.InferSchema) ' serialize DataSet data into memory stream ' (use your custom object instance here) Dim myStream As System.IO.Stream = New IO.MemoryStream() mSave(myStream, dsObjectSimulator) ' read memory stream's data into dataset Dim ds As New DataSet() myStream.Position = 0 ds.ReadXml(myStream) ' write DataSet's data into database table Using cnn As New OleDbConnection(accConnection) Dim cmd As New OleDbCommand("select * from [LogData]") Dim adapter As New OleDbDataAdapter(cmd) Dim builder As New OleDbCommandBuilder(adapter) cnn.Open() cmd.CommandType = CommandType.Text cmd.Connection = cnn adapter.Update(ds, "clsLogData") cnn.Close() End Using Catch ex As Exception Console.WriteLine(ex.Message) End Try End Sub 'Public Function mSave(ByVal stream As IO.Stream, ByVal t As Type) As Boolean Public Function mSave(ByVal stream As IO.Stream, ByVal t As Object) As Boolean Dim serializer As New XmlSerializer(t.GetType()) Try serializer.Serialize(stream, t) Return True Catch ex As Exception Return False End Try End Function End Module -- Shamil -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 05:01:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 06:01:09 -0400 Subject: [AccessD] Importing XML into a database In-Reply-To: <002f01c80978$3959a180$6401a8c0@nant> References: <000c01c80922$ac967a20$657aa8c0@M90> <002f01c80978$3959a180$6401a8c0@nant> Message-ID: <001b01c80992$27223e90$657aa8c0@M90> I looked but did not find a way for the ADO stuff to just persist a table that is in a data set but not in SQL Server. Is there such a thing or will I need to build up a sql statement to execute to do this? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Monday, October 08, 2007 2:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database <<< Somehow the table has to be created in SQL Server first? >>> Yes. -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 12:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Importing XML into a database Shamil, The code line : adapter.Update(ds, className) Is throwing an exception "Deferred prepare could not be completed. Statement(s) could not be prepared. Invalid object name 'tlbLog'." tblLog does NOT exist yet in SQL Server and so an update is probably not legal. Somehow the table has to be created in SQL Server first? John W. Colby Colby Consulting www.ColbyConsulting.com From dwaters at usinternet.com Mon Oct 8 08:15:42 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 8 Oct 2007 08:15:42 -0500 Subject: [AccessD] Office 2003 SP3 White Paper Message-ID: <001201c809ad$54a1ef30$0200a8c0@danwaters> A white paper (10 minutes to read) describing Office 2003 SP3 is here: http://www.microsoft.com/downloads/details.aspx?FamilyID=9c6736ba-ac90-4308- 855a-070812b11e03&DisplayLang=en A couple of good things for Access (among several): - Users can now install Microsoft Office AccessT add-ins on Windows Vista. - Moving the mouse over pages of a tab control in Access 2003 no longer causes the computer screen to flicker. Has anyone had further experience with SP3 - good or bad or indifferent? Dan From fuller.artful at gmail.com Mon Oct 8 08:37:50 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 8 Oct 2007 09:37:50 -0400 Subject: [AccessD] Canadian Thanksgiving Message-ID: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur From jwcolby at colbyconsulting.com Mon Oct 8 08:52:48 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 09:52:48 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> Message-ID: <003101c809b2$83b44fc0$657aa8c0@M90> Happy Thanksgiving day Arthur. We are unique in that politics do not intrude on our lists and we all view each other as friends and human beings. Enjoy your day. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 08, 2007 9:38 AM To: Access Developers discussion and problem solving; Discussion of Hardware and Software issues; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Canadian Thanksgiving It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 8 09:11:20 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 8 Oct 2007 07:11:20 -0700 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> Message-ID: <001501c809b5$1a36d1f0$0301a8c0@HAL9005> Amen. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 08, 2007 6:38 AM To: Access Developers discussion and problem solving; Discussion of Hardware and Software issues; dba-sqlserver at databaseadvisors.com Subject: [AccessD] Canadian Thanksgiving It's CDN Thanksgiving, so here is my Thanksgiving: Thank you all for being here on these various dba-subgroups: I learn somethings every day here, which explains my reading virtually every message here. Thank you all! Basically I'm a vegetarian, not for any spiritual or dietary reasons, and I do allow myself to eat meat on various celebratory occasions, this being one of them. I surely feel the pain in the morning, however, but it's nice to share food and give thanks with friends. We have it sooooo good. We are not murdering each other. We may have slight disagreements, to be sure, but we get along and learn from one another. That is something precious for which to be thankful. I realize that the USA members have to wait another month or so celebrate, and that this celebratory day may mean little or nothing to members in other parts of the world, but anyway, Thanks to you all I am a better programmer than I was. Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: 10/7/2007 6:12 PM From JRojas at tnco-inc.com Mon Oct 8 09:24:22 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 10:24:22 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: <001501c809b5$1a36d1f0$0301a8c0@HAL9005> Message-ID: <758E92433C4F3740B67BE4DD369AF5775C531A@ex2k3.corp.tnco-inc.com> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 From Gustav at cactus.dk Mon Oct 8 09:45:48 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 08 Oct 2007 16:45:48 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 From rockysmolin at bchacc.com Mon Oct 8 10:03:27 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 8 Oct 2007 08:03:27 -0700 Subject: [AccessD] Office 2003 SP3 White Paper In-Reply-To: <001201c809ad$54a1ef30$0200a8c0@danwaters> References: <001201c809ad$54a1ef30$0200a8c0@danwaters> Message-ID: <000b01c809bc$63078d00$0301a8c0@HAL9005> I was just having that flicker problem on a complex tab form. So I did the upgrade and it cleared it up. Previous solution was to make a text box zero height and width and associate the label with it. That stopped the flicker on labels, but there was no solution for command buttons which caused the same flicker. So I did the upgrade and sure enough the flicker stopped. Now I'm waiting for the new, fresh SP3 bugs. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 08, 2007 6:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Office 2003 SP3 White Paper A white paper (10 minutes to read) describing Office 2003 SP3 is here: http://www.microsoft.com/downloads/details.aspx?FamilyID=9c6736ba-ac90-4308- 855a-070812b11e03&DisplayLang=en A couple of good things for Access (among several): - Users can now install Microsoft Office AccessT add-ins on Windows Vista. - Moving the mouse over pages of a tab control in Access 2003 no longer causes the computer screen to flicker. Has anyone had further experience with SP3 - good or bad or indifferent? Dan -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: 10/7/2007 6:12 PM From cfoust at infostatsystems.com Mon Oct 8 10:09:53 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 8 Oct 2007 08:09:53 -0700 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: I suspect what you're asking is how to display an existing value that isn't in the combo dropdown list. As was pointed out, this isn't the same as a default value. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David and Joanne Gould Sent: Friday, October 05, 2007 4:42 PM To: Access Developers discussion and problem solving Subject: [AccessD] Combo box default value I hope someone can help with this. I am trying to control the default value of a combo box from a value in another combo box while showing the existing value for a record. I hope this makes sense. TIA David -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JRojas at tnco-inc.com Mon Oct 8 10:26:37 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 11:26:37 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 10:36:52 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 11:36:52 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> References: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Message-ID: <004f01c809c1$0d2f7050$657aa8c0@M90> Joe, How many Saturdays each month contains will vary from year to year as the calendar slides around. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 11:27 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Lambert.Heenan at AIG.com Mon Oct 8 10:37:18 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Mon, 8 Oct 2007 11:37:18 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert From jimdettman at verizon.net Mon Oct 8 10:39:57 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 11:39:57 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> References: <758E92433C4F3740B67BE4DD369AF5775C531D@ex2k3.corp.tnco-inc.com> Message-ID: <007201c809c1$7b937aa0$8abea8c0@XPS> It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 11:27 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Thanks for the functions! Some public companies use this pattern for their "end of months". I don't know the logic behind it...I just know I need to make my app work with it. :) If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 10:46 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Joe What a strange request. Where do you use such info? Anyway, the first function below should get you started; loop through the months in question, and when a month with a count of five is found, check if the preceeding two months each have a count of four. If a full 4-4-5 match is located, retrieve the last date of the last month using the second function. /gustav Public Function WeekdaysOfMonth( _ ByVal datDateOfMonth As Date, _ Optional ByVal intWeekday As Integer) _ As Long ' Calculate count of a weekday in a month ' which always is four or five. ' ' 2002-07-14. Cactus Data ApS, CPH. ' Minimum number of weeks for any month. Const clngCountWeekdayMin As Long = 4 ' Number of days in a week. Const clngWeekdays As Long = 7 ' Specify default weekday. Const cintweekdayDefault As Integer = vbSunday Dim datWeekday28th As Date Dim datWeekdayLast As Date Dim intWeekday28th As Integer Dim intWeekdayLast As Integer Dim intYear As Integer Dim intMonth As Integer Dim lngFive As Long ' Validate intWeekday. Select Case intWeekday Case vbMonday, vbTuesday, vbWednesday, vbThursday, vbFriday, vbSaturday, vbSunday ' No change. Case Else ' Pick default weekday. intWeekday = cintweekdayDefault End Select intYear = Year(datDateOfMonth) intMonth = Month(datDateOfMonth) ' Dates of the 28th and the last of the month. datWeekday28th = DateSerial(intYear, intMonth, clngCountWeekdayMin * clngWeekdays) datWeekdayLast = DateSerial(intYear, intMonth + 1, 0) ' Weekdays of the 28th and the last of the month. intWeekday28th = WeekDay(datWeekday28th, vbSunday) intWeekdayLast = WeekDay(datWeekdayLast, vbSunday) ' Check if the weekday exists between the 28th and the last of the month. If intWeekday28th <= intWeekdayLast Then If intWeekday28th < intWeekday And intWeekday <= intWeekdayLast Then lngFive = 1 End If Else If intWeekday28th < intWeekday Or intWeekday <= intWeekdayLast Then lngFive = 1 End If End If WeekdaysOfMonth = clngCountWeekdayMin + lngFive End Function Public Function DateThisMonthLast( _ Optional ByVal datDateThisMonth As Date) _ As Date If datDateThisMonth = 0 Then datDateThisMonth = Date End If DateThisMonthLast = DateSerial(Year(datDateThisMonth), Month(datDateThisMonth) + 1, 0) End Function >>> JRojas at tnco-inc.com 08-10-2007 16:24 >>> Hello, I am trying to come up with a code snippet that will give me the last date of the month on a 4-4-5 schedule. A 4-4-5 schedule is when the first two months in a quarter end on the fourth Saturday of the month and the 3rd month ends on the fifth Saturday. e.g. Jan 07 - 1/27/2007 Feb 07 - 2/24/2007 Mar 07 - 3/31/2007 I can get these dates using brute force but I was looking to see if there is an elegant way. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Mon Oct 8 11:30:56 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 11:30:56 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <007201c809c1$7b937aa0$8abea8c0@XPS> Message-ID: I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Mon Oct 8 11:42:28 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 08 Oct 2007 18:42:28 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew From JRojas at tnco-inc.com Mon Oct 8 12:45:48 2007 From: JRojas at tnco-inc.com (Joe Rojas) Date: Mon, 8 Oct 2007 13:45:48 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> Message-ID: <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> Good catch. Either way the requirement stays the same. I ended up using DateSerial to move to the beginning of the month, then to the first Saturday, and then add 3 or 4 week accordingly. Seems to work out well. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Monday, October 08, 2007 11:37 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Mon Oct 8 12:59:07 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 13:59:07 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7082@XLIVMBX35bkup.aig.com> <758E92433C4F3740B67BE4DD369AF5775C5323@ex2k3.corp.tnco-inc.com> Message-ID: <001501c809d4$ec7f94c0$8abea8c0@XPS> Joe, To thoroughly test, make sure you try your calc for the next 7 years forward. I think where your going to run into trouble is with either the start or end of the year, as they may not be full weeks. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas Sent: Monday, October 08, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Good catch. Either way the requirement stays the same. I ended up using DateSerial to move to the beginning of the month, then to the first Saturday, and then add 3 or 4 week accordingly. Seems to work out well. Joe Rojas Information Technology Manager Symmetry Medical TNCO 15 Colebrook Blvd Whitman MA 02382 781.447.6661 x7506 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Monday, October 08, 2007 11:37 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule -----Original Message----- If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov only have 4 Saturdays and the others have 5 Saturdays. The rational must be buried in that fact. Not so, I'm afraid. The number of Saturdays in a month is not static. It depends on what year you are looking at. For instance May 2008 has 5, not 4. June 2008 has 4, not 5. Lambert -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Mon Oct 8 13:05:09 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Mon, 08 Oct 2007 14:05:09 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: <007201c809c1$7b937aa0$8abea8c0@XPS> Message-ID: <002801c809d5$c446d6c0$8abea8c0@XPS> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Mon Oct 8 13:11:41 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 14:11:41 -0400 Subject: [AccessD] Canadian Thanksgiving References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> <003101c809b2$83b44fc0$657aa8c0@M90> Message-ID: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. From fuller.artful at gmail.com Mon Oct 8 13:32:00 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 8 Oct 2007 14:32:00 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com> <003101c809b2$83b44fc0$657aa8c0@M90> <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: <29f585dd0710081132wcf660beyc235144423dd94f3@mail.gmail.com> Yup. I have found several reasons to use unbounded forms -- not often, to be sure, but now and then, especially when dealing with classes rather than tables. A. On 10/8/07, Susan Harkins wrote: > > Even the unbounders???? ;) > > Susan H. > From jwcolby at colbyconsulting.com Mon Oct 8 13:36:43 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 14:36:43 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> References: <29f585dd0710080637m7beea296tbd5412cd413cad75@mail.gmail.com><003101c809b2$83b44fc0$657aa8c0@M90> <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: <000801c809da$2d3f41e0$657aa8c0@M90> Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Mon Oct 8 13:38:41 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:38:41 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: Message-ID: Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:40:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:40:43 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <002801c809d5$c446d6c0$8abea8c0@XPS> Message-ID: Not sure if that will actually do the trick. If you are going on a true 4 4 5 routine, eventually, the Saturday will be in a different month. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 1:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:41:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:41:43 -0500 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <004801c809d6$cfe7b7a0$4b3a8343@SusanOne> Message-ID: Ya know, OT has been pretty quiet lately. If you really want to stir the pot, why not start something over there? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 1:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Mon Oct 8 13:42:37 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:42:37 -0500 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: <000801c809da$2d3f41e0$657aa8c0@M90> Message-ID: Nice one JC, let everyone believe you haven't gone to the dark side...good ploy! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 1:37 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Canadian Thanksgiving Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Mon Oct 8 13:45:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 14:45:55 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <00ac01c809db$87bf2d00$4b3a8343@SusanOne> You certainly have given me a few... ;) Susan H. > Well I did turn 35 a few weeks ago, starting to get some grey hair > too.... ;) > From DWUTKA at Marlow.com Mon Oct 8 13:54:11 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Mon, 8 Oct 2007 13:54:11 -0500 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: <00ac01c809db$87bf2d00$4b3a8343@SusanOne> Message-ID: LOL, so you were trying to get some more with stirring up the unbound/bound issue here? LOL. Glutton for punishment ya are! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 1:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule You certainly have given me a few... ;) Susan H. > Well I did turn 35 a few weeks ago, starting to get some grey hair > too.... ;) > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Mon Oct 8 14:08:37 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 8 Oct 2007 15:08:37 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule References: Message-ID: <00e401c809de$bec3ecc0$4b3a8343@SusanOne> Now look, I wasn't trying to stir up nothing... you've got me all wrong!!! ;) Susan H. > LOL, so you were trying to get some more with stirring up the > unbound/bound issue here? LOL. > > Glutton for punishment ya are! ;) .com From jwcolby at colbyconsulting.com Mon Oct 8 15:40:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 16:40:14 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: Message-ID: <000c01c809eb$6e4bb900$657aa8c0@M90> Ahh, the long slide into oblivion... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 2:39 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 8 15:40:57 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 8 Oct 2007 16:40:57 -0400 Subject: [AccessD] Canadian Thanksgiving In-Reply-To: References: <000801c809da$2d3f41e0$657aa8c0@M90> Message-ID: <000d01c809eb$87d2c1c0$657aa8c0@M90> 8~)) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 2:43 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Nice one JC, let everyone believe you haven't gone to the dark side...good ploy! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 08, 2007 1:37 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Canadian Thanksgiving Oh. I forgot about them. Never mind! ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Monday, October 08, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Canadian Thanksgiving Even the unbounders???? ;) Susan H. > intrude on our lists and we all view each other as friends and human > beings. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Mon Oct 8 22:38:35 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Tue, 09 Oct 2007 16:38:35 +1300 Subject: [AccessD] Combo box auto completing Message-ID: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> AccessXP mde. I have a drop down list with names of businesses. It is set up so that when the user starts typing the first match is filled in. The letters typed in are clear and the remaining letters of the match are highlighted. In some cases, even though the whole name has not been typed in, the rest of the name automatically becomes unselected. The user then needs to delete the matched letters they have NOT typed in to be able to continue typing to get the match they want. It seems to be when the business name includes the word Cafe. We have changed autocorrect so that Cafe is not automatically changed to Caf? (with the squiggle over the e) but this doesn't seem to have helped. I think it may be settings as some computers work fine - only some have this problem. Although they are running the program through terminal server so I would have thought that they should all react the same. Any thoughts what may be the problem? Regards David Emerson Dalyn Software Ltd Wellington, New Zealand From kp at sdsonline.net Mon Oct 8 23:26:19 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 9 Oct 2007 14:26:19 +1000 Subject: [AccessD] Combo box auto completing References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> Message-ID: <000701c80a2c$8b92ed80$6701a8c0@DELLAPTOP> David - I have a similiar routine for combo boxes and have never seen that (in A2K and 2003). Have you actually turned off Autocorrect completely and then tried again? Kath ----- Original Message ----- From: "David Emerson" To: Sent: Tuesday, October 09, 2007 1:38 PM Subject: [AccessD] Combo box auto completing > AccessXP mde. > > I have a drop down list with names of > businesses. It is set up so that when the user > starts typing the first match is filled in. The > letters typed in are clear and the remaining > letters of the match are highlighted. > > In some cases, even though the whole name has not > been typed in, the rest of the name automatically > becomes unselected. The user then needs to > delete the matched letters they have NOT typed in > to be able to continue typing to get the match they want. > > It seems to be when the business name includes > the word Cafe. We have changed autocorrect so > that Cafe is not automatically changed to Caf? > (with the squiggle over the e) but this doesn't seem to have helped. > > I think it may be settings as some computers work > fine - only some have this problem. Although they > are running the program through terminal server > so I would have thought that they should all react the same. > > Any thoughts what may be the problem? > > Regards > > David Emerson > Dalyn Software Ltd > Wellington, New Zealand > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From kp at sdsonline.net Tue Oct 9 01:07:10 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 9 Oct 2007 16:07:10 +1000 Subject: [AccessD] Autocorrect Combo Message-ID: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> David - sorry for change in subject line. I deleted the prev email and forgot what your original subject was. Just a thought - if autocorrect IS causing the problem, and you don't want to turn off Autocorrect completely, then you could just disable it for that one control, eg. Me.CboName.AllowAutoCorrect = False You wouldn't really want Autocorrect in it anyway, would you? hth Kath Pelletti From Gustav at cactus.dk Tue Oct 9 04:41:23 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 11:41:23 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Drew Oh, that explains (... said the gray haired oldy). /gustav >>> DWUTKA at marlow.com 08-10-2007 20:38 >>> Well I did turn 35 a few weeks ago, starting to get some grey hair too.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 08, 2007 11:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Drew You can certainly do better than that. Since when have you turned old and lazy? /gustav >>> DWUTKA at marlow.com 08-10-2007 18:30 >>> .. Seems like the most efficient route would be to just build a look up table. Drew From Gustav at cactus.dk Tue Oct 9 04:46:35 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 11:46:35 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Jim Leery? I wonder why. A function like this will run in microseconds and begs to be wrapped into a callback function as source for your combo. This is a general comment. That said, I still don't get how this 4-4-5 system should be used and calculated, and your comments about weeks at year end seem highly relevant. /gustav >>> jimdettman at verizon.net 08-10-2007 20:05 >>> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. From ssharkins at gmail.com Tue Oct 9 08:06:00 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 09:06:00 -0400 Subject: [AccessD] Combo box auto completing References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> Message-ID: <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> What about updates? If it works on some systems and not others, could be a update inconsistency. Susan H. I think it may be settings as some computers work fine - only some have this problem. Although they are running the program through terminal server so I would have thought that they should all react the same. Any thoughts what may be the problem? From jimdettman at verizon.net Tue Oct 9 08:18:17 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Tue, 09 Oct 2007 09:18:17 -0400 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule In-Reply-To: References: Message-ID: <004d01c80a76$db9828a0$8abea8c0@XPS> Gustav, <> My gut hunch is it would be easy for the calculation logic to be wrong and miss it. It would be something that I would want to exhaustively test. Case in point; it was only seven years ago that a lot of date calculations messed up because they didn't include the third rule for calculating leap years (if it's divisible by 400, then it is a leap year). Then of course a large part of that distrust is probably just old habit; I've been using a lookup table for fiscal dates since my Wang mini days. Just seems a lot simpler and straight forward to me and I've never had a problem doing it that way. So as the saying goes, "If it's not broke...." Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 5:47 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule Hi Jim Leery? I wonder why. A function like this will run in microseconds and begs to be wrapped into a callback function as source for your combo. This is a general comment. That said, I still don't get how this 4-4-5 system should be used and calculated, and your comments about weeks at year end seem highly relevant. /gustav >>> jimdettman at verizon.net 08-10-2007 20:05 >>> Besides which with a lookup table, they can implement whatever type of closing schedule they want (monthly or 4-4-5). For myself, I've always used a hybrid approach; I use a lookup table, but fill that table automatically for them with what I believe to be the correct dates based on what they tell me the last day of the week is and what schedule their using. Finial check then is up to them. I'd be leery of using a totally calculated approach. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Monday, October 08, 2007 12:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule I concur. If you want the last Saturday of any month, I can do that in one line of code, but this 4-4-5 thing is going to shift one day every year (and 2 every leap year). So eventually, you will end up with the start of a fiscal month at the beginning of another month. (Take 2007, if you say that 1-31-2007 is the end of the month, the beginning would actually be 12-31-2006). I'm good at math, but the 4 4 5 thing eludes me how to come up with an equation to calculate it. Seems like the most efficient route would be to just build a look up table. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Monday, October 08, 2007 10:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule It's a standard in the US financial community. It's based on the fact that the year needs to be divided up into 13 week quarters for accounting, yet the calendar varies. The way I typically see this implemented is a table containing the last (or first) fiscal date for each month, and the last day of the fiscal year. It's then easy to determine which month (and hence quarter) a given date falls into. Jim. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 08:34:59 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Tue, 09 Oct 2007 23:34:59 +1000 Subject: [AccessD] Combo box default value In-Reply-To: References: <7.0.0.16.2.20071006093947.02386c20@dgsolutions.net.au> Message-ID: <7.0.0.16.2.20071009233315.023ee548@dgsolutions.net.au> Charlotte The value is in the drop down list, I just want it to show the most common value (the query doers it fine) so the user can just accept the value instead of having to select it from the dropdown list. David At 01:09 AM 9/10/2007, you wrote: >I suspect what you're asking is how to display an existing value that >isn't in the combo dropdown list. As was pointed out, this isn't the >same as a default value. > >Charlotte Foust > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David and >Joanne Gould >Sent: Friday, October 05, 2007 4:42 PM >To: Access Developers discussion and problem solving >Subject: [AccessD] Combo box default value > >I hope someone can help with this. I am trying to control the default >value of a combo box from a value in another combo box while showing the >existing value for a record. I hope this makes sense. > >TIA > >David > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.4/1056 - Release Date: >7/10/2007 6:12 PM From dajomigo at dgsolutions.net.au Tue Oct 9 08:38:12 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Tue, 09 Oct 2007 23:38:12 +1000 Subject: [AccessD] Combo box default value Message-ID: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Steve The combo box is based on a query that lists departure points for a tour bus based on the postcode of the client. It lists the options by most popular to least popular. At the moment it starts off with a blank text box and I want it to show the most popular as a default. The combo works fine as far as listing the options in the right order - just leaves it blank until a choice is made. Hope this makes more sense. David At 10:12 AM 6/10/2007, you wrote: >David, > >The Default Value of a control only has a meaning at the point where a >new record is being created. If another control already has a value, >then that point has passed, and the default value of your combobox is no >longer applicable. > >Perhaps you could explain a bit more detail about what you are doing, >and someone will be able to suggest an alternative approach. > >Regards >Steve > > >David and Joanne Gould wrote: > > I hope someone can help with this. I am trying to control the default > > value of a combo box from a value in another combo box while showing > > the existing value for a record. I hope this makes sense. >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.1/1050 - Release Date: >4/10/2007 5:03 PM From rockysmolin at bchacc.com Tue Oct 9 09:41:19 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 07:41:19 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: <002d01c80a82$75746e10$0301a8c0@HAL9005> Worth a few minutes if you're old enough. Under 30? Don't even bother clicking the link. Easter egg: there's a link in there on one of the pages to download your own copy of VisiCalc. http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 >1=10438 Rocky Smolin Beach Access Software 858-259-4334 www.e-z-mrp.com From fuller.artful at gmail.com Tue Oct 9 10:23:46 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:23:46 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Message-ID: <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> You could count the actual entries in the table (not in the lookup table) and select top 1 descending: Here's an example drawn from one of my apps. SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS Occurrences FROM LightCurtainData_tbl GROUP BY CompanyID Order By Count([CompanyID]) DESC Edit to suit, save as a named query. Use Dlookup() to obtain the value. Make the default value of the combo "=Dlookup("[CompanyID]", "LightCurtainData_tbl") in this case. Substitute your own values for the table and columns and you're away to the races. I just whipped up a sample form to test it and it works as advertised. hth, Arthur On 10/9/07, David and Joanne Gould wrote: > > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. > > Hope this makes more sense. > > David > > From fuller.artful at gmail.com Tue Oct 9 10:26:43 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:26:43 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> Message-ID: <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> Oops. I clicked "Send" too quickly. In the Dlookup you refer to the named query not the table. In my case the combo box's default value is: =DLookUp("CompanyID","CompanyCount_Desc_qs") (The _qs is my naming convention, denoting a query select. _qu is a query update, _qd is a delete, etc.) A. On 10/9/07, Arthur Fuller wrote: > > You could count the actual entries in the table (not in the lookup table) > and select top 1 descending: Here's an example drawn from one of my apps. > > SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS > Occurrences > FROM LightCurtainData_tbl > GROUP BY CompanyID > Order By Count([CompanyID]) DESC > > Edit to suit, save as a named query. Use Dlookup() to obtain the value. > Make the default value of the combo "=Dlookup("[CompanyID]", > "LightCurtainData_tbl") in this case. Substitute your own values for the > table and columns and you're away to the races. I just whipped up a sample > form to test it and it works as advertised. > > hth, > Arthur > > On 10/9/07, David and Joanne Gould wrote: > > > > Steve > > > > The combo box is based on a query that lists departure points for a > > tour bus based on the postcode of the client. It lists the options by > > most popular to least popular. At the moment it starts off with a > > blank text box and I want it to show the most popular as a default. > > The combo works fine as far as listing the options in the right order > > - just leaves it blank until a choice is made. > > > > Hope this makes more sense. > > > > David > > > > > From fuller.artful at gmail.com Tue Oct 9 10:29:05 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 9 Oct 2007 11:29:05 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <002d01c80a82$75746e10$0301a8c0@HAL9005> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> Message-ID: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even bother > clicking the link. > > Easter egg: there's a link in there on one of the pages to download your > own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1=10438 > > >1=10438 > > Rocky Smolin > From rockysmolin at bchacc.com Tue Oct 9 10:41:27 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 08:41:27 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> Message-ID: <007f01c80a8a$dba7c8f0$0301a8c0@HAL9005> I'm embarrassed to say how many of those machines I either owned or worked on. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 8:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From jwcolby at colbyconsulting.com Tue Oct 9 10:58:45 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 11:58:45 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> References: <002d01c80a82$75746e10$0301a8c0@HAL9005> <29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> Message-ID: <004501c80a8d$461e0c60$657aa8c0@M90> >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 11:32:35 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:32:35 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. From markamatte at hotmail.com Tue Oct 9 11:41:29 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Tue, 9 Oct 2007 16:41:29 +0000 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: About 4 years ago I tried to write a function to determine a 4-4-5 calendar. What I ran into is the business continuously had to adjust the calendar here and there to account for each year...even though they claimed, "Its easy...4-4-5,,,see>?"...then when I showed them the following year's dates...."Oh?>?>?...we just change that week...that doesn't count." Being that this type of accounting is constantly evolving...I vote for a table that lists every date for the next 5 years...and just tell it what fiscal month/week/year it belongs to. Mark A. Matte> Date: Mon, 8 Oct 2007 13:59:07 -0400> From: jimdettman at verizon.net> To: accessd at databaseadvisors.com> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > Joe,> > To thoroughly test, make sure you try your calc for the next 7 years> forward. I think where your going to run into trouble is with either the> start or end of the year, as they may not be full weeks.> > Jim. > > -----Original Message-----> From: accessd-bounces at databaseadvisors.com> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe Rojas> Sent: Monday, October 08, 2007 1:46 PM> To: Access Developers discussion and problem solving> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > Good catch.> Either way the requirement stays the same.> > I ended up using DateSerial to move to the beginning of the month, then> to the first Saturday, and then add 3 or 4 week accordingly.> Seems to work out well.> > Joe Rojas> Information Technology Manager> Symmetry Medical TNCO> 15 Colebrook Blvd> Whitman MA 02382> 781.447.6661 x7506> > > -----Original Message-----> From: accessd-bounces at databaseadvisors.com> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan,> Lambert> Sent: Monday, October 08, 2007 11:37 AM> To: 'Access Developers discussion and problem solving'> Subject: Re: [AccessD] Calculating End of Month on a 4-4-5 Schedule> > -----Original Message-----> > > If you look at a calendar, Jan, Feb, Apr, May, Jul, Aug, Oct, and Nov> only> have 4 Saturdays and the others have 5 Saturdays. The rational must be> buried in that fact.> > > > Not so, I'm afraid. The number of Saturdays in a month is not static. It> depends on what year you are looking at. For instance May 2008 has 5,> not 4.> June 2008 has 4, not 5.> > Lambert> -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Climb to the top of the charts!? Play Star Shuffle:? the word scramble challenge with star power. http://club.live.com/star_shuffle.aspx?icid=starshuffle_wlmailtextlink_oct From jwcolby at colbyconsulting.com Tue Oct 9 11:45:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 12:45:53 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <005601c80a93$dbcd6340$657aa8c0@M90> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 12:33 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 11:55:10 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:55:10 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 12:33 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John That was indeed a cruel action. Word 2.0 to replace WP ... she has my sympathy. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 17:58 >>> My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. From Gustav at cactus.dk Tue Oct 9 11:59:24 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 18:59:24 +0200 Subject: [AccessD] Calculating End of Month on a 4-4-5 Schedule Message-ID: Hi Mark Thanks, that explains why I can't get hold on it. Computers are bad for systems with no strict rules. /gustav >>> markamatte at hotmail.com 09-10-2007 18:41 >>> About 4 years ago I tried to write a function to determine a 4-4-5 calendar. What I ran into is the business continuously had to adjust the calendar here and there to account for each year...even though they claimed, "Its easy...4-4-5,,,see>?"...then when I showed them the following year's dates...."Oh?>?>?...we just change that week...that doesn't count." Being that this type of accounting is constantly evolving...I vote for a table that lists every date for the next 5 years...and just tell it what fiscal month/week/year it belongs to. From prosoft6 at hotmail.com Tue Oct 9 12:02:32 2007 From: prosoft6 at hotmail.com (Julie Reardon) Date: Tue, 09 Oct 2007 13:02:32 -0400 Subject: [AccessD] Developer Extensions and Product Code - Installation Key Message-ID: With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct From rockysmolin at bchacc.com Tue Oct 9 12:16:57 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 10:16:57 -0700 Subject: [AccessD] Excel Automation Message-ID: <008c01c80a98$32cbe870$0301a8c0@HAL9005> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky From jengross at gte.net Tue Oct 9 12:35:21 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 10:35:21 -0700 Subject: [AccessD] Developer Extensions and Product Code - Installation Key In-Reply-To: Message-ID: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> Hi Julie, The way that I have handled restricting the number of installations is by using a start up form that requires the user to enter a serial number that we provide, then register the software on our website through the software, the website kicks back an unlock code that is generated through an algorithm that takes incorporates the serial number. The website only allows registration of each serial number once. I use registry settings to track date of install, serial number, etc. All of that is set during the installation. As I have seen from the way that major software manufacturers deal with piracy, there is no easy way to restrict the number of installs. Microsoft themselves has spent years and a lot of money to come up with their authentication scheme - which most high school kids can get around. The best we can do is make it difficult. I do this with serial numbers and required website registration through the software. Also, as an aside, I stopped using Microsoft's packaging for distribution with Access 97. I now use SageKey scripts with Wise Installer. I haven't even bothered to try Microsoft's scripts since I found SageKey. They do a fantastic job, installing minimal extra stuff (like the mandatory Internet Explorer install that is required to distribute A2K runtime - Microsoft installs IE automatically and makes it the default browser, while SageKey checks to see if any IE is already installed, and if not, installs IE 3 I think, a very small installation, and does not change the default browser) www.sagekey.com Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Julie Reardon Sent: Tuesday, October 09, 2007 10:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] Developer Extensions and Product Code - Installation Key With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct From lmrazek at lcm-res.com Tue Oct 9 12:40:08 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Tue, 9 Oct 2007 12:40:08 -0500 Subject: [AccessD] Excel Automation In-Reply-To: <008c01c80a98$32cbe870$0301a8c0@HAL9005> References: <008c01c80a98$32cbe870$0301a8c0@HAL9005> Message-ID: <095f01c80a9b$739a9ba0$056fa8c0@lcmdv8000> Hi Rocky: >From memory, I think it is something like: Set xlWs = xlWb.Worksheets(wrksheet) xlWs.Select Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 09, 2007 12:17 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Excel Automation Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 12:27:00 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 06:27:00 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> References: <20071009033741.HYWK9910.fep05.xtra.co.nz@Dalyn.dalyn.co.nz> <006201c80a75$ccb1b9b0$4b3a8343@SusanOne> Message-ID: <20071009174458.YVIT18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> The programme is working via terminal server. My understanding is that all connections are using the same program (maybe with personal preferences stored?). David At 10/10/2007, you wrote: >What about updates? If it works on some systems and not others, could be a >update inconsistency. > >Susan H. > > > >I think it may be settings as some computers work >fine - only some have this problem. Although they >are running the program through terminal server >so I would have thought that they should all react the same. > >Any thoughts what may be the problem? > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 12:28:27 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 06:28:27 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> References: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> Message-ID: <20071009174503.YVKA18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> Kath - Have changed the subject line back again for you :-) Thanks for the suggestion - I will try that. David At 9/10/2007, you wrote: >David - sorry for change in subject line. I deleted the prev email >and forgot what your original subject was. > >Just a thought - if autocorrect IS causing the problem, and you >don't want to turn off Autocorrect completely, then you could just >disable it for that one control, eg. >Me.CboName.AllowAutoCorrect = False > >You wouldn't really want Autocorrect in it anyway, would you? > >hth >Kath Pelletti > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From prosoft6 at hotmail.com Tue Oct 9 12:45:43 2007 From: prosoft6 at hotmail.com (Julie Reardon) Date: Tue, 9 Oct 2007 13:45:43 -0400 Subject: [AccessD] Developer Extensions and Product Code - InstallationKey In-Reply-To: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> References: <000a01c80a9a$c82f3f00$6501a8c0@jefferson> Message-ID: Hi Jennifer, Thanks for your answer. I was experimenting with the installation keys are part of the database, but could not figure out how to get the installation key to only pop-up once during installation. Kind of confusing. I will try what you suggested. Thanks, Julie Reardon PRO-SOFT of NY, Inc. 44 Public Square, Suite 5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 NYS IT Contract#CMT026A NYS Certified Woman-Owned Business www.pro-soft.net -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 1:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Developer Extensions and Product Code - InstallationKey Hi Julie, The way that I have handled restricting the number of installations is by using a start up form that requires the user to enter a serial number that we provide, then register the software on our website through the software, the website kicks back an unlock code that is generated through an algorithm that takes incorporates the serial number. The website only allows registration of each serial number once. I use registry settings to track date of install, serial number, etc. All of that is set during the installation. As I have seen from the way that major software manufacturers deal with piracy, there is no easy way to restrict the number of installs. Microsoft themselves has spent years and a lot of money to come up with their authentication scheme - which most high school kids can get around. The best we can do is make it difficult. I do this with serial numbers and required website registration through the software. Also, as an aside, I stopped using Microsoft's packaging for distribution with Access 97. I now use SageKey scripts with Wise Installer. I haven't even bothered to try Microsoft's scripts since I found SageKey. They do a fantastic job, installing minimal extra stuff (like the mandatory Internet Explorer install that is required to distribute A2K runtime - Microsoft installs IE automatically and makes it the default browser, while SageKey checks to see if any IE is already installed, and if not, installs IE 3 I think, a very small installation, and does not change the default browser) www.sagekey.com Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Julie Reardon Sent: Tuesday, October 09, 2007 10:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] Developer Extensions and Product Code - Installation Key With the Developer Extensions, you are given a product key when you package an Access application. The product key is embedded in the Setup.ini file. I want to control how many copies the user can install at their office. I have included the license agreement in the installation of the software, but cannot figure out how to control how many copies the user is able to install. With the wizard, the product key is automatic. I want to only allow the user to install one copy with one product key. Is this possible with the developer extensions? I cannot find any documentation on this. Julie Reardon PRO-SOFT OF NY, INC. 44 Public Square Suite #5 Watertown, NY 13601 Phone: 315.785.0319 Fax: 315.785.0323 www.pro-soft.net NYS IT Services Contract CMT026A NYS Certified Woman-Owned Business _________________________________________________________________ Capture the missing critters!?? Play Search Queries and earn great prizes. http://club.live.com/search_queries.aspx?icid=sq_hotmailtextlink1_oct -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 9 12:50:01 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 09 Oct 2007 19:50:01 +0200 Subject: [AccessD] Excel Automation Message-ID: Hi Rocky That is, if wkb is your WorkBook: wkb.Worksheets().Activate /gustav >>> rockysmolin at bchacc.com 09-10-2007 19:16 >>> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky From rockysmolin at bchacc.com Tue Oct 9 13:10:59 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 9 Oct 2007 11:10:59 -0700 Subject: [AccessD] Excel Automation In-Reply-To: References: Message-ID: <00a001c80a9f$bef4a100$0301a8c0@HAL9005> IT WORKED! (You knew it would.) Thank you. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 10:50 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Excel Automation Hi Rocky That is, if wkb is your WorkBook: wkb.Worksheets().Activate /gustav >>> rockysmolin at bchacc.com 09-10-2007 19:16 >>> Dear List: I am dealing with an excel workbook through automation and need to change the active worksheet using the worksheet name. I'm creating these worksheets on the fly taking the name from a data value in the Access app. But can't seem to get the syntax. Does anyone know this offhand? MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From ssharkins at gmail.com Tue Oct 9 13:10:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 14:10:59 -0400 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> Message-ID: <013701c80a9f$db5c5b80$4b3a8343@SusanOne> The query sorts by most often chosen? That's interesting -- so the most often chosen should be the top item in the combo right? If that's the case, you simply set the default value to the first item -- there's a simple expression for doing so that I can't recall off the top of my head -- someone's going to know it -- control.Data(0) or something like that. Susan H. > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. From robert at webedb.com Tue Oct 9 14:00:14 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 09 Oct 2007 14:00:14 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <200710091904.l99J42q3003686@databaseadvisors.com> So did any of you guys use Condor 3 or DataPerfect? Tandy 1000 MS-DOS? Tandy 4p CP/M, TRS-DOS, etc.? At 12:00 PM 10/9/2007, you wrote: >Date: Tue, 09 Oct 2007 18:55:10 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi John > >You could have written her a macro or two. Oh boy, brings back >memories struggling with the curly brackets. I wrote about 1990 in >WP 5.x a lot of macros for clients - it was dark ages compared to now. > >/gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> >LOL. There was no future in WP. I kept telling her to email you with her >questions but she refused... What was I to do? From shamil at users.mns.ru Tue Oct 9 14:12:37 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Tue, 9 Oct 2007 23:12:37 +0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <000101c80aa8$5afc8060$6401a8c0@nant> Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com From jengross at gte.net Tue Oct 9 14:38:34 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 12:38:34 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: <002d01c80aab$fe77ab40$6501a8c0@jefferson> We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Tue Oct 9 15:00:49 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 9 Oct 2007 15:00:49 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> References: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From DWUTKA at Marlow.com Tue Oct 9 17:48:17 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 9 Oct 2007 17:48:17 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <002d01c80aab$fe77ab40$6501a8c0@jefferson> Message-ID: Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 2:39 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Tue Oct 9 17:50:02 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 9 Oct 2007 17:50:02 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: LOL, so true, so true, the foreboding that the country was headed for 2 months of constant bombardment about the life and death of Anna Nicole Smith...whose contribution to society was...erm...uh..... I think it's time to start recruiting for the OT list, since William has left, it's kind of slow over there! I've actually been getting work done... Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 09, 2007 3:01 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From cfoust at infostatsystems.com Tue Oct 9 18:20:13 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 9 Oct 2007 16:20:13 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <004501c80a8d$461e0c60$657aa8c0@M90> References: <002d01c80a82$75746e10$0301a8c0@HAL9005><29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com> <004501c80a8d$461e0c60$657aa8c0@M90> Message-ID: 512K?? Mine had only 64K and only 56 of that was usable! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 8:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 9 18:22:36 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 9 Oct 2007 16:22:36 -0700 Subject: [AccessD] Combo box default value In-Reply-To: <013701c80a9f$db5c5b80$4b3a8343@SusanOne> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: The simple express is ItemData(0) unless you have turned on column headings in the dropdown and then it's ItemData(1), since zero is the heading row. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Tuesday, October 09, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Combo box default value The query sorts by most often chosen? That's interesting -- so the most often chosen should be the top item in the combo right? If that's the case, you simply set the default value to the first item -- there's a simple expression for doing so that I can't recall off the top of my head -- someone's going to know it -- control.Data(0) or something like that. Susan H. > Steve > > The combo box is based on a query that lists departure points for a > tour bus based on the postcode of the client. It lists the options by > most popular to least popular. At the moment it starts off with a > blank text box and I want it to show the most popular as a default. > The combo works fine as far as listing the options in the right order > - just leaves it blank until a choice is made. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 9 18:41:10 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 9 Oct 2007 19:41:10 -0400 Subject: [AccessD] Combo box default value References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au><013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: <001b01c80ace$3f008ac0$4b3a8343@SusanOne> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the most > often chosen should be the top item in the combo right? If that's the > case, you simply set the default value to the first item -- there's a > simple expression for doing so that I can't recall off the top of my > head -- someone's going to know it -- > > control.Data(0) > > or something like that. From jwcolby at colbyconsulting.com Tue Oct 9 19:17:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 20:17:14 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: Message-ID: <007001c80ad2$e94ee1d0$657aa8c0@M90> OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 6:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs LOL, so true, so true, the foreboding that the country was headed for 2 months of constant bombardment about the life and death of Anna Nicole Smith...whose contribution to society was...erm...uh..... I think it's time to start recruiting for the OT list, since William has left, it's kind of slow over there! I've actually been getting work done... Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 09, 2007 3:01 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs I remember when the Mickey Mouse club was preempted for almost a WEEK for the Eisenhower convention in '56. Dwight replacing Annette?! At age 5 I realized the country had its priorities backwards. I have seen nothing since to convince me otherwise. :-) Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 2:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 9 19:25:29 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 9 Oct 2007 20:25:29 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: <002d01c80a82$75746e10$0301a8c0@HAL9005><29f585dd0710090829q1bf3ecf2we8b9c0842b38ba64@mail.gmail.com><004501c80a8d$461e0c60$657aa8c0@M90> Message-ID: <007101c80ad4$10635930$657aa8c0@M90> >Mine had only 64K and only 56 of that was usable! LOL. The board directly supported 256 kbit ram chips. But... if you soldered a chip on top of the bottom chip, and bent the RAS pin up on that top chip, you could solder just that pin down into another trace to add another 256 Kbytes onto the board. So of course I did that mod. Having 512 kbytes was totally awesome at the time. Most of the SBCs (single board computers as they were known) were only 64K or perhaps 128K. I had an 80186 (full 16 bit processor) running at 16 mhz, and this was ~1983. In 1986 I bought the Epson PCXT which used the 8088 (8 bit path to memory) running at 12 mhz. It was actually SLOWER than the machine I built myself but it ran DOS instead of CPM which was dying by then. Plus it has a hard disk and could use extended memory. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 09, 2007 7:20 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs 512K?? Mine had only 64K and only 56 of that was usable! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 8:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. LOL. My first PC I built from a kit. It had 512K or ram and didn't come with anything. I ran CPM on it, and any software of interest that I could download off of the bulletin boards that I dialed into using a 2400 baud modem. Stored them on a dual drive 8 inch floppy (which cost me $750) with a whopping 1 meg storage per floppy. I was writing programs in Turbo Pascal at that time (~1983). My first "PC" pc was an Epson PCXT with DOS, and I purchased Dbase III Plus, Word Perfect and Lotus 123. That would have been ~1986 or so. An XT machine with a 10 meg disk and (gasp) FIVE MEGS of ram, most of which was just used as a RAM disk since DOS did not directly support more than about 640K at that time. I knew I was "famous" when I got a call from a person in New York (I was living in San Diego at that time) who had downloaded one of my programs off of a bulletin board somewhere and wanted me to make some mod or another. My wife harasses me to this day about deleting WP from her computer when I tired of supporting (her using) it after I had switched to Word back in the mid 90s. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 09, 2007 11:29 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs My first PC came with WordStar, VisiCalc and dBASE II, plus CP/M. I learned WS in two days, VC in two days, and I've spent the rest of my life trying to learn databases LOL. A. On 10/9/07, Rocky Smolin at Beach Access Software wrote: > > Worth a few minutes if you're old enough. Under 30? Don't even > bother clicking the link. > > Easter egg: there's a link in there on one of the pages to download > your own copy of VisiCalc. > > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179 > < > http://tech.msn.com/products/slideshow.aspx?cp-documentid=5428179>1= > 10438 > > >1=10438 > > Rocky Smolin > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 19:32:39 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Wed, 10 Oct 2007 10:32:39 +1000 Subject: [AccessD] Combo box default value In-Reply-To: <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.co m> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> Message-ID: <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> Arthur Thanks for your suggestion. The query works fine. It lists all the choices from a selection made in another combo box but starts with the most popular. When I use the DLookup code it doesn't do anything. The combo dropdown shows all the options as it should but doesn't show anything in the text box until a choice is made. David At 01:26 AM 10/10/2007, you wrote: >Oops. I clicked "Send" too quickly. In the Dlookup you refer to the named >query not the table. In my case the combo box's default value is: > >=DLookUp("CompanyID","CompanyCount_Desc_qs") > >(The _qs is my naming convention, denoting a query select. _qu is a query >update, _qd is a delete, etc.) > >A. > >On 10/9/07, Arthur Fuller wrote: > > > > You could count the actual entries in the table (not in the lookup table) > > and select top 1 descending: Here's an example drawn from one of my apps. > > > > SELECT TOP 1 LightCurtainData_tbl.CompanyID, Count([CompanyID]) AS > > Occurrences > > FROM LightCurtainData_tbl > > GROUP BY CompanyID > > Order By Count([CompanyID]) DESC > > > > Edit to suit, save as a named query. Use Dlookup() to obtain the value. > > Make the default value of the combo "=Dlookup("[CompanyID]", > > "LightCurtainData_tbl") in this case. Substitute your own values for the > > table and columns and you're away to the races. I just whipped up a sample > > form to test it and it works as advertised. > > > > hth, > > Arthur > > > > On 10/9/07, David and Joanne Gould wrote: > > > > > > Steve > > > > > > The combo box is based on a query that lists departure points for a > > > tour bus based on the postcode of the client. It lists the options by > > > most popular to least popular. At the moment it starts off with a > > > blank text box and I want it to show the most popular as a default. > > > The combo works fine as far as listing the options in the right order > > > - just leaves it blank until a choice is made. > > > > > > Hope this makes more sense. > > > > > > David > > > > > > > > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: >8/10/2007 4:54 PM From jengross at gte.net Tue Oct 9 20:08:03 2007 From: jengross at gte.net (Jennifer Gross) Date: Tue, 09 Oct 2007 18:08:03 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <004201c80ada$05bcb2a0$6501a8c0@jefferson> All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 2:39 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs We use percussive maintenance quite a bit in the US as well. I have one computer that needs a good smack with the heel of my hand every once in a while because the fan starts clattering and I can't stand the noise. (I know I need to replace the fan before the whole thing overheats.) The heel of the hand is great for eliminating many unwanted noises in electrical equipment. My first PC was the IBM pictured in the article. At the time, with the Epson dot matrix printer and a copy of Turbo Pascal, it was the largest check I had ever written - over $3,000. I still have the monitor - just moved it from the garage to the attic - don't ask me why I've kept it. It did not have a hard drive and I eventually put in a 10 meg drive and an additional floppy drive. There was so little RAM I can't remember how little. I used Turbo Pascal, VisiCalc, eventually Lotus 123, dBase II. I still have WordPerfect on one of my computers. Hate that I can hardly use it. Love Reveal Codes. Can never understand what the heck Word is doing with formatting. I've worked on Tandys in college. I also used Vector Graphics computers - they were the hot new thing in one lab, with Apple IIEs in the other. A PDP-11 (I think) was in the main lab. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dajomigo at dgsolutions.net.au Tue Oct 9 20:21:45 2007 From: dajomigo at dgsolutions.net.au (David and Joanne Gould) Date: Wed, 10 Oct 2007 11:21:45 +1000 Subject: [AccessD] Combo box default value In-Reply-To: References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <013701c80a9f$db5c5b80$4b3a8343@SusanOne> Message-ID: <7.0.0.16.2.20071010111816.023c1190@dgsolutions.net.au> Thank you Charlotte and Susan Sorry to take so long to reply. It just took me a long time to figure out where to put the code. For anyone who has been interested in the result of this - I put the following code in the after update event of the controlling combo box after requerying the target combo box. TargetComboBox = TargetComboBox.ItemData(0) Once again thanks for all your help with this. David At 09:22 AM 10/10/2007, you wrote: >The simple express is ItemData(0) unless you have turned on column >headings in the dropdown and then it's ItemData(1), since zero is the >heading row. > >Charlotte Foust > >-----Original Message----- >From: accessd-bounces at databaseadvisors.com >[mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins >Sent: Tuesday, October 09, 2007 11:11 AM >To: Access Developers discussion and problem solving >Subject: Re: [AccessD] Combo box default value > >The query sorts by most often chosen? That's interesting -- so the most >often chosen should be the top item in the combo right? If that's the >case, you simply set the default value to the first item -- there's a >simple expression for doing so that I can't recall off the top of my >head -- someone's going to know it -- > >control.Data(0) > >or something like that. > >Susan H. > > > > Steve > > > > The combo box is based on a query that lists departure points for a > > tour bus based on the postcode of the client. It lists the options by > > most popular to least popular. At the moment it starts off with a > > blank text box and I want it to show the most popular as a default. > > The combo works fine as far as listing the options in the right order > > - just leaves it blank until a choice is made. > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com > > >-- >No virus found in this incoming message. >Checked by AVG Free Edition. >Version: 7.5.488 / Virus Database: 269.14.6/1060 - Release Date: >9/10/2007 4:43 PM From krosenstiel at comcast.net Tue Oct 9 21:47:42 2007 From: krosenstiel at comcast.net (Karen Rosenstiel) Date: Tue, 9 Oct 2007 19:47:42 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <000101c80aa8$5afc8060$6401a8c0@nant> Message-ID: <200710100247.l9A2lU8t024318@databaseadvisors.com> I must say that IS pretty impressive. Too bad all the windows on that nifty carousel were boys' stuff. I remember a crisp fall evening and I went out on the porch with my Dad. Up and down our little cul de sac other folks were out on their porches and driveways too. Dad pointed up and said, "There it is!" It was Sputnik, just little red jewel speeding by. I am so glad I lived at the beginning of the Space era -- wish I could be back in a couple of hundred years to see what's next. Regards, Karen Rosenstiel Seattle WA USA -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil Salakhetdinov Sent: Tuesday, October 09, 2007 12:13 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi All, Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will write next but in the end of this message it should be clear that I'm on topic for this off-topic :) - pun intended :) I still remember the time I first time had watched a TV set, which my father bought and that was a black & white screen TV set, and we have had a high 7-8 antenna to receive TV signals - first this antenna was "sticked" to our house and I remember that when TV signal was bad we used to go outside to the side of the house where this antenna was installed and we used to beat it strongly, and that "beating" usually helped to get better TV-signal :) I also remember - I even clearly see the picture now, when I'm probably a 6 years old boy and I alone or with my mother go outside night winter time (and this is Russian winter you know), and it's not that dark and there is a moon and there are stars on the skies - all in all it is a magnificent frosty Russian winter night with a lot of sparkling from moonlight snow on the nearby trees etc. - and we have a movie on our TV, and TV signal got worsened on the most interesting event as usual - and so we go outside and beat our antenna strongly using heavy hammer - and voila' we had got very good TV signal and we can watch our TV serial further... ...soon we got our antenna installed very high on the nearby tree and TV signal became much better... ... in a few years later we got colored TV... ... ... ... ... now the house where I have got my first impression from our own black & white TV - that house has a satellite dish and I can get TV programmers from all around the World... ... and I can also use mobile Internet and when 3G and WiMAX technologies will soon become widespread then MS SilverLight will become as usual here as it was the snow sparkling on moonlight and a hammer I used to make TV signal better... If you do not have MS SilverLight yet installed then first watch this site http://www.microsoft.com/silverlight/ without SilverLight; then go and get downloaded and installed MS SilverLight here: http://www.microsoft.com/silverlight/downloads.aspx and then watch this page http://www.microsoft.com/silverlight/ again... You'll get (very) impressed is my bet.... -- Shamil P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian cosmonauts used to use hammer or similar tools to fix their spaceships - that was funny... I do not think it was like that in reality but I can't state that for sure - after all from my story above you can find that a hammer was a rather universal tool here to fix many things even TV-signal :) ... P.P.S. Yes, we on Earth have got incredible technology progress in the last half of a century: - world first spaceship - Sputnik - was launched here on 7th of October 1957, - transistors were invented several years before at 1950 at Bell Labs, - one of the main methids of laser beam pumping was found in 1955 also here by Basov and Prokhorov based on works of Charles H. Townes... All that and many other foundation technologies were predesessors, which made MS SilverLight a reality of today... Unfortunately, as far as I can see, social progress is not getting developed to the better so rapidly worldwide as technologies do... And who knows what this "developing to the better social progress" is is becoming more and more open question today - at least as far as I see it... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Tuesday, October 09, 2007 8:55 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi John You could have written her a macro or two. Oh boy, brings back memories struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of macros for clients - it was dark ages compared to now. /gustav >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> LOL. There was no future in WP. I kept telling her to email you with her questions but she refused... What was I to do? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From newsgrps at dalyn.co.nz Tue Oct 9 23:17:22 2007 From: newsgrps at dalyn.co.nz (David Emerson) Date: Wed, 10 Oct 2007 17:17:22 +1300 Subject: [AccessD] Combo box auto completing In-Reply-To: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> References: <001901c80a3a$a19952a0$6701a8c0@DELLAPTOP> Message-ID: <20071010041655.OVUJ18083.fep03.xtra.co.nz@Dalyn.dalyn.co.nz> Thanks Kath - that did the trick. David At 9/10/2007, you wrote: >David - sorry for change in subject line. I deleted the prev email >and forgot what your original subject was. > >Just a thought - if autocorrect IS causing the problem, and you >don't want to turn off Autocorrect completely, then you could just >disable it for that one control, eg. >Me.CboName.AllowAutoCorrect = False > >You wouldn't really want Autocorrect in it anyway, would you? > >hth >Kath Pelletti > >-- >AccessD mailing list >AccessD at databaseadvisors.com >http://databaseadvisors.com/mailman/listinfo/accessd >Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 03:09:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 10:09:07 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From Gustav at cactus.dk Wed Oct 10 03:27:39 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 10:27:39 +0200 Subject: [AccessD] Combo box default value Message-ID: Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the most > often chosen should be the top item in the combo right? If that's the > case, you simply set the default value to the first item -- there's a > simple expression for doing so that I can't recall off the top of my > head -- someone's going to know it -- > > control.Data(0) > > or something like that. From fuller.artful at gmail.com Wed Oct 10 06:33:01 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 07:33:01 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <200710100247.l9A2lU8t024318@databaseadvisors.com> References: <000101c80aa8$5afc8060$6401a8c0@nant> <200710100247.l9A2lU8t024318@databaseadvisors.com> Message-ID: <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> Predictions: Everyone in Africa will die of AIDS without us doing a thing. Unfortunately the few survivors will be running email scams out of Nigeria. Virtual reality will displace tourism. Physical reality will be solely for the rich. The rest of us will visit other countries virtually. Google will offer a terabyte of space for gmail + google apps, per user. An earthquake will finally saw off California, making Las Vegas even wealthier since it will then offer an excellent view of the Pacific ocean. JWC will be nominated for a Nobel, but narrowly lose to Hilary Clinton (or was it Paris Hilton -- I keep confusing them). A. On 10/9/07, Karen Rosenstiel wrote: > > I must say that IS pretty impressive. Too bad all the windows on that > nifty > carousel were boys' stuff. > > I remember a crisp fall evening and I went out on the porch with my Dad. > Up > and down our little cul de sac other folks were out on their porches and > driveways too. Dad pointed up and said, "There it is!" It was Sputnik, > just > little red jewel speeding by. > > I am so glad I lived at the beginning of the Space era -- wish I could be > back in a couple of hundred years to see what's next. > > > Regards, > > Karen Rosenstiel > Seattle WA USA > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil > Salakhetdinov > Sent: Tuesday, October 09, 2007 12:13 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi All, > > Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will > write > next but in the end of this message it should be clear that I'm on topic > for > this off-topic :) - pun intended :) > > I still remember the time I first time had watched a TV set, which my > father > bought and that was a black & white screen TV set, and we have had a high > 7-8 antenna to receive TV signals - first this antenna was "sticked" to > our > house and I remember that when TV signal was bad we used to go outside to > the side of the house where this antenna was installed and we used to beat > it strongly, and that "beating" usually helped to get better TV-signal :) > > I also remember - I even clearly see the picture now, when I'm probably a > 6 > years old boy and I alone or with my mother go outside night winter time > (and this is Russian winter you know), and it's not that dark and there is > a > moon and there are stars on the skies - all in all it is a magnificent > frosty Russian winter night with a lot of sparkling from moonlight snow on > the nearby trees etc. - and we have a movie on our TV, and TV signal got > worsened on the most interesting event as usual - and so we go outside and > beat our antenna strongly using heavy hammer - and voila' we had got very > good TV signal and we can watch our TV serial further... > > ...soon we got our antenna installed very high on the nearby tree and TV > signal became much better... > > ... in a few years later we got colored TV... > > ... > ... > ... > > ... now the house where I have got my first impression from our own black > & > white TV - that house has a satellite dish and I can get TV programmers > from > all around the World... > > ... and I can also use mobile Internet and when 3G and WiMAX technologies > will soon become widespread then MS SilverLight will become as usual here > as > it was the snow sparkling on moonlight and a hammer I used to make TV > signal > better... > > If you do not have MS SilverLight yet installed then first watch this site > > http://www.microsoft.com/silverlight/ > > without SilverLight; then go and get downloaded and installed MS > SilverLight > here: > > http://www.microsoft.com/silverlight/downloads.aspx > > and then watch this page > > http://www.microsoft.com/silverlight/ > > again... > > You'll get (very) impressed is my bet.... > > -- > Shamil > > P.S. Yes, I have seen HollyWood movies where slightly(?) drunken Russian > cosmonauts used to use hammer or similar tools to fix their spaceships - > that was funny... I do not think it was like that in reality but I can't > state that for sure - after all from my story above you can find that a > hammer was a rather universal tool here to fix many things even TV-signal > :) > ... > > P.P.S. Yes, we on Earth have got incredible technology progress in the > last > half of a century: > > - world first spaceship - Sputnik - was launched here on 7th of October > 1957, > - transistors were invented several years before at 1950 at Bell Labs, > - one of the main methids of laser beam pumping was found in 1955 also > here > by Basov and Prokhorov based on works of Charles H. Townes... > > All that and many other foundation technologies were predesessors, which > made MS SilverLight a reality of today... > > Unfortunately, as far as I can see, social progress is not getting > developed > to the better so rapidly worldwide as technologies do... > > And who knows what this "developing to the better social progress" is is > becoming more and more open question today - at least as far as I see > it... > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Tuesday, October 09, 2007 8:55 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi John > > You could have written her a macro or two. Oh boy, brings back memories > struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot of > macros for clients - it was dark ages compared to now. > > /gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> > LOL. There was no future in WP. I kept telling her to email you with her > questions but she refused... What was I to do? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Wed Oct 10 07:00:26 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 08:00:26 -0400 Subject: [AccessD] Combo box default value In-Reply-To: <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> References: <7.0.0.16.2.20071009233807.023eea20@dgsolutions.net.au> <29f585dd0710090823k2665b06i9f5e97542472e895@mail.gmail.com> <29f585dd0710090826u79c1c212l497bdc36f0ae9611@mail.gmail.com> <7.0.0.16.2.20071010102506.02411670@dgsolutions.net.au> Message-ID: <29f585dd0710100500w51d4b469va22432c524119d42@mail.gmail.com> Hmmm. On my machine the most popular is pre-selected when I add a new record. Of course, it wouldn't be nor shouldn't be when editing a record. I checked this is A2K and A2K3. I don't have A2K7. Arthur On 10/9/07, David and Joanne Gould wrote: > > Arthur > > Thanks for your suggestion. The query works fine. It lists all the > choices from a selection made in another combo box but starts with > the most popular. When I use the DLookup code it doesn't do anything. > The combo dropdown shows all the options as it should but doesn't > show anything in the text box until a choice is made. > > David > From jwcolby at colbyconsulting.com Wed Oct 10 07:27:02 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:27:02 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008a01c80b38$dd391940$657aa8c0@M90> Gustav, I did that to get a free copy of the VS2005 and gave it away as a door prize for the meeting at my house. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Wed Oct 10 07:30:32 2007 From: dwaters at usinternet.com (Dan Waters) Date: Wed, 10 Oct 2007 07:30:32 -0500 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <000c01c80b39$5a2c8e50$0200a8c0@danwaters> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 10 07:33:09 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:33:09 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> References: <000101c80aa8$5afc8060$6401a8c0@nant><200710100247.l9A2lU8t024318@databaseadvisors.com> <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> Message-ID: <008b01c80b39$b7c45d40$657aa8c0@M90> >Google will offer a terabyte of space for gmail + google apps, per user. Unfortunately it will not be enough by an order of magnitude. >JWC will be nominated for a Nobel ROTFL. JWC will instead receive an honorary doctorate degree from the University of Advanced Computer Science (Purchased Degrees) in Nigeria which, in order to receive the degree, he will only have to pay a $1297 paperwork processing fee, but will also have one million dollars deposited into his account from the widow of the previous dictator if he will just.... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, October 10, 2007 7:33 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Predictions: Everyone in Africa will die of AIDS without us doing a thing. Unfortunately the few survivors will be running email scams out of Nigeria. Virtual reality will displace tourism. Physical reality will be solely for the rich. The rest of us will visit other countries virtually. Google will offer a terabyte of space for gmail + google apps, per user. An earthquake will finally saw off California, making Las Vegas even wealthier since it will then offer an excellent view of the Pacific ocean. JWC will be nominated for a Nobel, but narrowly lose to Hilary Clinton (or was it Paris Hilton -- I keep confusing them). A. On 10/9/07, Karen Rosenstiel wrote: > > I must say that IS pretty impressive. Too bad all the windows on that > nifty carousel were boys' stuff. > > I remember a crisp fall evening and I went out on the porch with my Dad. > Up > and down our little cul de sac other folks were out on their porches > and driveways too. Dad pointed up and said, "There it is!" It was > Sputnik, just little red jewel speeding by. > > I am so glad I lived at the beginning of the Space era -- wish I could > be back in a couple of hundred years to see what's next. > > > Regards, > > Karen Rosenstiel > Seattle WA USA > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Shamil > Salakhetdinov > Sent: Tuesday, October 09, 2007 12:13 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi All, > > Maybe it's a kind of Off-Topic for this Off-Topic thread, what I will > write next but in the end of this message it should be clear that I'm > on topic for this off-topic :) - pun intended :) > > I still remember the time I first time had watched a TV set, which my > father bought and that was a black & white screen TV set, and we have > had a high > 7-8 antenna to receive TV signals - first this antenna was "sticked" > to our house and I remember that when TV signal was bad we used to go > outside to the side of the house where this antenna was installed and > we used to beat it strongly, and that "beating" usually helped to get > better TV-signal :) > > I also remember - I even clearly see the picture now, when I'm > probably a > 6 > years old boy and I alone or with my mother go outside night winter > time (and this is Russian winter you know), and it's not that dark and > there is a moon and there are stars on the skies - all in all it is a > magnificent frosty Russian winter night with a lot of sparkling from > moonlight snow on the nearby trees etc. - and we have a movie on our > TV, and TV signal got worsened on the most interesting event as usual > - and so we go outside and beat our antenna strongly using heavy > hammer - and voila' we had got very good TV signal and we can watch > our TV serial further... > > ...soon we got our antenna installed very high on the nearby tree and > TV signal became much better... > > ... in a few years later we got colored TV... > > ... > ... > ... > > ... now the house where I have got my first impression from our own > black & white TV - that house has a satellite dish and I can get TV > programmers from all around the World... > > ... and I can also use mobile Internet and when 3G and WiMAX > technologies will soon become widespread then MS SilverLight will > become as usual here as it was the snow sparkling on moonlight and a > hammer I used to make TV signal better... > > If you do not have MS SilverLight yet installed then first watch this > site > > http://www.microsoft.com/silverlight/ > > without SilverLight; then go and get downloaded and installed MS > SilverLight > here: > > http://www.microsoft.com/silverlight/downloads.aspx > > and then watch this page > > http://www.microsoft.com/silverlight/ > > again... > > You'll get (very) impressed is my bet.... > > -- > Shamil > > P.S. Yes, I have seen HollyWood movies where slightly(?) drunken > Russian cosmonauts used to use hammer or similar tools to fix their > spaceships - that was funny... I do not think it was like that in > reality but I can't state that for sure - after all from my story > above you can find that a hammer was a rather universal tool here to > fix many things even TV-signal > :) > ... > > P.P.S. Yes, we on Earth have got incredible technology progress in the > last half of a century: > > - world first spaceship - Sputnik - was launched here on 7th of > October 1957, > - transistors were invented several years before at 1950 at Bell > Labs, > - one of the main methids of laser beam pumping was found in 1955 also > here by Basov and Prokhorov based on works of Charles H. Townes... > > All that and many other foundation technologies were predesessors, > which made MS SilverLight a reality of today... > > Unfortunately, as far as I can see, social progress is not getting > developed to the better so rapidly worldwide as technologies do... > > And who knows what this "developing to the better social progress" is > is becoming more and more open question today - at least as far as I > see it... > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > Brock > Sent: Tuesday, October 09, 2007 8:55 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > Hi John > > You could have written her a macro or two. Oh boy, brings back > memories struggling with the curly brackets. I wrote about 1990 in WP > 5.x a lot of macros for clients - it was dark ages compared to now. > > /gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> > LOL. There was no future in WP. I kept telling her to email you with > her questions but she refused... What was I to do? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Wed Oct 10 07:35:23 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Wed, 10 Oct 2007 08:35:23 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <021901c80b3a$07903880$8abea8c0@XPS> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Wed Oct 10 07:38:10 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Wed, 10 Oct 2007 08:38:10 -0400 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <008b01c80b39$b7c45d40$657aa8c0@M90> References: <000101c80aa8$5afc8060$6401a8c0@nant> <200710100247.l9A2lU8t024318@databaseadvisors.com> <29f585dd0710100433p47b8f34avf92d11642fe0980@mail.gmail.com> <008b01c80b39$b7c45d40$657aa8c0@M90> Message-ID: <29f585dd0710100538o7b456197o4a24f4bb466c7db@mail.gmail.com> LOL. On 10/10/07, jwcolby wrote: > > >Google will offer a terabyte of space for gmail + google apps, per user. > > Unfortunately it will not be enough by an order of magnitude. > > >JWC will be nominated for a Nobel > > ROTFL. JWC will instead receive an honorary doctorate degree from the > University of Advanced Computer Science (Purchased Degrees) in Nigeria > which, in order to receive the degree, he will only have to pay a $1297 > paperwork processing fee, but will also have one million dollars deposited > into his account from the widow of the previous dictator if he will > just.... > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > From Gustav at cactus.dk Wed Oct 10 07:42:19 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 14:42:19 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Dan Well, MS doesn't give that much away over here, mostly time-limited demos. /gustav >>> dwaters at usinternet.com 10-10-2007 14:30 >>> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From jwcolby at colbyconsulting.com Wed Oct 10 07:43:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:43:50 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008d01c80b3b$35aa5330$657aa8c0@M90> Having started using VS2005 (in 2007) I must say I am extremely impressed with the functionality of VB.Net and Visual Studio. .NET 2.0 is a programmers dream, assuming you are willing to climb the learning curve. I also have to say I was not nearly as impressed with .Net 1.0 and in fact my experience with that was one reason I delayed so long in trying to do the 2.0 stuff. I am nowhere near proficient with 2.0 but I like it a lot. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 10 07:48:45 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 08:48:45 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <008f01c80b3b$e58df180$657aa8c0@M90> Well, MS doesn't give that much away over here, mostly time-limited demos. That's because they are pissed at the EU for suing them for their monopolistic ways. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 8:42 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Dan Well, MS doesn't give that much away over here, mostly time-limited demos. /gustav >>> dwaters at usinternet.com 10-10-2007 14:30 >>> Hi Gustav, I am a Registered Partner with MS. This doesn't cost me anything, but I do occasionally get offers from MS that are useful - like attending Launch events where they hand out a LOT of free software. I have a VAGUE memory of finding out that as a registered partner with MS that I can buy an Action Pack if I wanted to. But since getting the software free from the Launch events, I haven't pursued it. Good Luck! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 3:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 07:50:01 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 14:50:01 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From mmattys at rochester.rr.com Wed Oct 10 08:04:14 2007 From: mmattys at rochester.rr.com (Michael R Mattys) Date: Wed, 10 Oct 2007 09:04:14 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90> Message-ID: <003001c80b3e$1023aaf0$0202a8c0@Laptop> I must say that it was the examples on the ColbyConsulting website that propelled me into serious Access development in 1998 and steered me over to Shamil's site where I learned WithEvents classes in Access in 1999. Keep riding the wave, John & Shamil. Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely impressed > with the functionality of VB.Net and Visual Studio. .NET 2.0 is a > programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in fact > my > experience with that was one reason I delayed so long in trying to do the > 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com From max.wanadoo at gmail.com Wed Oct 10 08:17:27 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 10 Oct 2007 14:17:27 +0100 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: Message-ID: <009501c80b3f$e86e3140$8119fea9@LTVM> What sort of questions do they ask? Is it Access related or anything to do with MS Office? Ta MAx -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:50 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 08:29:21 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 15:29:21 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Max Not very likely, but study the list at the link. /gustav >>> max.wanadoo at gmail.com 10-10-2007 15:17 >>> What sort of questions do they ask? Is it Access related or anything to do with MS Office? Ta MAx -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:50 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From jwcolby at colbyconsulting.com Wed Oct 10 09:01:35 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 10:01:35 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <009701c80b46$125efb50$657aa8c0@M90> Well, I just renewed to avoid that hassle for another year. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 8:50 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 10 09:07:57 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 10 Oct 2007 09:07:57 -0500 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <009701c80b46$125efb50$657aa8c0@M90> References: <009701c80b46$125efb50$657aa8c0@M90> Message-ID: Me too. GK On 10/10/07, jwcolby wrote: > Well, I just renewed to avoid that hassle for another year. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 8:50 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web > Solution Providers > > Hi Jim > > That's right, but only every second year, and it is an on-line course: > > https://partner.microsoft.com/actionpack > https://partner.microsoft.com/40044196 > > Some of these my colleague can do with closed eyes ... > > /gustav > > >>> jimdettman at verizon.net 10-10-2007 14:35 >>> > Gustav, > > I hate the Microsoft exam circus as well and in fact gave up on the SBS > certification because of it. But got bad news for you; the Action Pack will > shortly require passing a Microsoft exam in order to continue to receive the > subscription. > > They want to get rid of the deadwood. > > Jim. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack, now with special edition toolkit for Web > Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" as > the ROI is zero. Thus, our official Small Business Specialist status will be > lost (and our clients don't care as they hardly knew that anyway). No big > deal. > > However, that status have the additional benefit that combined with the > Action Pack Subscription (where the ROI is huge) you are offered Visual > Studio Standard 2005 for free. So no SB partner => no free VS which is bad > now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could be of > interest for those of you not having Visual Studio yet or have felt the > limitations of the free Express editions, a "special edition toolkit" for > Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by > spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From DWUTKA at Marlow.com Wed Oct 10 09:11:20 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:11:20 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <007001c80ad2$e94ee1d0$657aa8c0@M90> Message-ID: He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Wed Oct 10 09:13:33 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:13:33 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <004201c80ada$05bcb2a0$6501a8c0@jefferson> Message-ID: Ah, I see. Just curious. I have older programs (mostly games) that I find play better in Virtual PC, then in a 'dos window'. My favorite word processor was SPFPC. It is DOS edit on steroids. Used to be an internal IBM only application, but in it's final versions someone decided to release it. (my dad worked for IBM when I was growing up) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 8:08 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From max.wanadoo at gmail.com Wed Oct 10 09:17:45 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 10 Oct 2007 15:17:45 +0100 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: <00ae01c80b48$550c27f0$8119fea9@LTVM> If you are talking about William Hindman, he posted last month (or possibly the month before) Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Wednesday, October 10, 2007 3:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 10 09:22:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 07:22:15 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: My company just qualified as a full Microsoft Partner, so I imagine we'll get those goodies anyhow. It was kind of funny, because we suddenly got a shipment of boxes of various sizes, so it looked like we were getting a bunch of goodies. When opened, the packages included a Microsoft Partner banner (we haven't figured out what to do with that item), a couple of fancy stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. One of our developers wondered if they issued badges as well, like law enforcement. You show up at a client and flash you MP (Microsoft Partner) badge and they stop doing stupid stuff with your application! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 10 09:23:39 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 07:23:39 -0700 Subject: [AccessD] Combo box default value In-Reply-To: References: Message-ID: True, and I've used that myself, but it is kind of overkill if the developer is building one-off code. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Combo box default value Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the > most often chosen should be the top item in the combo right? If that's > the case, you simply set the default value to the first item -- > there's a simple expression for doing so that I can't recall off the > top of my head -- someone's going to know it -- > > control.Data(0) > > or something like that. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Wed Oct 10 09:38:04 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 16:38:04 +0200 Subject: [AccessD] Combo box default value Message-ID: Hi Charlotte I see your point and I myself very seldom use column heads. A side note: If replacing 0 with Abs(.ColumnHeads) is overkill what is the wording for inserting one code line? Massive overkill!? /gustav >>> cfoust at infostatsystems.com 10-10-2007 16:23 >>> True, and I've used that myself, but it is kind of overkill if the developer is building one-off code. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Combo box default value Hi Susan and Charlotte The generic solution to bypass the "unless" is to include the value of the ColumnHeads property: With cboYourCombobox .Value = .ItemData(Abs(.ColumnHeads)) End With /gustav >>> ssharkins at gmail.com 10-10-2007 01:41 >>> That's it -- thank you Charlotte. I knew one of you guys would know it without looking it up. :) Susan H. > The simple express is ItemData(0) unless you have turned on column > headings in the dropdown and then it's ItemData(1), since zero is the > heading row. > > > The query sorts by most often chosen? That's interesting -- so the > most often chosen should be the top item in the combo right? If that's > the case, you simply set the default value to the first item -- > there's a simple expression for doing so that I can't recall off the > top of my head -- someone's going to know it -- > > control.Data(0) > > or something like that. From jwcolby at colbyconsulting.com Wed Oct 10 09:42:48 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 10 Oct 2007 10:42:48 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <009f01c80b4b$d506e230$657aa8c0@M90> ROTFL. I need one of those badges. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, October 10, 2007 10:22 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers My company just qualified as a full Microsoft Partner, so I imagine we'll get those goodies anyhow. It was kind of funny, because we suddenly got a shipment of boxes of various sizes, so it looked like we were getting a bunch of goodies. When opened, the packages included a Microsoft Partner banner (we haven't figured out what to do with that item), a couple of fancy stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. One of our developers wondered if they issued badges as well, like law enforcement. You show up at a client and flash you MP (Microsoft Partner) badge and they stop doing stupid stuff with your application! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 1:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Wed Oct 10 09:46:10 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 09:46:10 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <00ae01c80b48$550c27f0$8119fea9@LTVM> Message-ID: Here....not on OT. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Wednesday, October 10, 2007 9:18 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs If you are talking about William Hindman, he posted last month (or possibly the month before) Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Wednesday, October 10, 2007 3:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs He hasn't posted in probably close to a year. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 09, 2007 7:17 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs OMG, why did William leave. I thought that was his home! John W. Colby Colby Consulting www.ColbyConsulting.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Wed Oct 10 09:47:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 10 Oct 2007 10:47:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <009f01c80b4b$d506e230$657aa8c0@M90> Message-ID: <00c501c80b4d$abaf0320$4b3a8343@SusanOne> Charlotte, were you involved in the process of acquiring partnership? I'd like to hear what the process is like and in the end, just what does that badge of honor net for you and your company besides some free gifts? Susan H. > My company just qualified as a full Microsoft Partner, so I imagine we'll > get those goodies anyhow. It was kind of funny, because we suddenly got a > shipment of boxes of various sizes, so it looked like we were getting a > bunch of goodies. When opened, the packages included a Microsoft Partner > banner (we haven't figured out what to do with that item), a couple of > fancy > stand up plaques proclaiming us 2007 partners, and logos, stickers, etc. > One of our developers wondered if they issued badges as well, like law > enforcement. You show up at a client and flash you MP (Microsoft Partner) > badge and they stop doing stupid stuff with your application! LOL From cfoust at infostatsystems.com Wed Oct 10 10:05:45 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 08:05:45 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <00c501c80b4d$abaf0320$4b3a8343@SusanOne> References: <009f01c80b4b$d506e230$657aa8c0@M90> <00c501c80b4d$abaf0320$4b3a8343@SusanOne> Message-ID: We had to produce a commercial product using Microsoft software and have it examined and passed by a company (which turned out to be in China, BTW) contracting with Microsoft. I believe one of our developers had to be certified, but I think he already was, so that wasn't an issue. Hmmn, of course there are those who say that ALL developers are certifiable .... LOL There's a time limit on meeting the requirements, but I don't recall what it was, a year or two. I was involved only as a developer helping create the application. We can now market ourselves as a Microsoft Partner, put their logo on our website and materials, ... and I have managed to forget any other benes. We get all the Microsoft software for our company's use, operating systems, server products, Office, the works. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 10, 2007 7:48 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Charlotte, were you involved in the process of acquiring partnership? I'd like to hear what the process is like and in the end, just what does that badge of honor net for you and your company besides some free gifts? Susan H. > My company just qualified as a full Microsoft Partner, so I imagine > we'll get those goodies anyhow. It was kind of funny, because we > suddenly got a shipment of boxes of various sizes, so it looked like > we were getting a bunch of goodies. When opened, the packages > included a Microsoft Partner banner (we haven't figured out what to do > with that item), a couple of fancy stand up plaques proclaiming us > 2007 partners, and logos, stickers, etc. > One of our developers wondered if they issued badges as well, like law > enforcement. You show up at a client and flash you MP (Microsoft > Partner) badge and they stop doing stupid stuff with your application! > LOL -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 10 10:19:35 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 10 Oct 2007 10:19:35 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: References: <00ae01c80b48$550c27f0$8119fea9@LTVM> Message-ID: Actually I see posts from him to OT in March of this year. I think he got busy with work and with hurricane preperation. Half a year. GK On 10/10/07, Drew Wutka wrote: > Here....not on OT. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > Sent: Wednesday, October 10, 2007 9:18 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > If you are talking about William Hindman, he posted last month (or > possibly > the month before) > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Wednesday, October 10, 2007 3:11 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > He hasn't posted in probably close to a year. > > Drew > -- Gary Kjos garykjos at gmail.com From DWUTKA at Marlow.com Wed Oct 10 10:23:28 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 10:23:28 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Your right, I wonder if his ear are tingling. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Wednesday, October 10, 2007 10:20 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Actually I see posts from him to OT in March of this year. I think he got busy with work and with hurricane preperation. Half a year. GK On 10/10/07, Drew Wutka wrote: > Here....not on OT. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > Sent: Wednesday, October 10, 2007 9:18 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > If you are talking about William Hindman, he posted last month (or > possibly > the month before) > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Wednesday, October 10, 2007 3:11 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs > > He hasn't posted in probably close to a year. > > Drew > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Wed Oct 10 10:24:56 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 17:24:56 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav >>> DWUTKA at marlow.com 10-10-2007 16:13 >>> Ah, I see. Just curious. I have older programs (mostly games) that I find play better in Virtual PC, then in a 'dos window'. My favorite word processor was SPFPC. It is DOS edit on steroids. Used to be an internal IBM only application, but in it's final versions someone decided to release it. (my dad worked for IBM when I was growing up) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Tuesday, October 09, 2007 8:08 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs All my clients use Word, so anything I want to send to them needs to be in Word. Neither Word nor WordPerfect has a good translator from one to the other. The only profession I know of that has a strong WordPerfect following is the legal profession, but that too has dwindled. I think there are recent versions of WordPerfect out there. The latest is one I have is 2000 and came with a computer I bought. Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 09, 2007 3:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Just curious, why can you 'hardly use' Wordperfect? Is it that you don't get the chance to use it, or does it have a problem running in a modern OS? Drew From DWUTKA at Marlow.com Wed Oct 10 10:43:44 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 10:43:44 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Gustav at cactus.dk Wed Oct 10 10:54:04 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 10 Oct 2007 17:54:04 +0200 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs Message-ID: Hi Drew Thanks. But it seems more like an editor than a word processor, so I guess mostly programmers know about it. /gustav >>> DWUTKA at marlow.com 10-10-2007 17:43 >>> Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav From DWUTKA at Marlow.com Wed Oct 10 11:01:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 10 Oct 2007 11:01:57 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: Message-ID: Ya, it was more of an editor, but it had some word processing features too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:54 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Thanks. But it seems more like an editor than a word processor, so I guess mostly programmers know about it. /gustav >>> DWUTKA at marlow.com 10-10-2007 17:43 >>> Here's a link to the commercial one that was released to the public: http://en.wikipedia.org/wiki/SPFPC Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 10:25 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs Hi Drew Never heard of SPFPC, only pfs:Write and a more pro app (PC4 or Write 4??). But it reminds me of Borland Sprint. Anyone remembers that? Probably the last DOS word processor with the unique feature that it recorded each and every keystroke you made. Thus, while typing or editing, you could pull the plug. Then, when you had rebooted and launched Sprint a black screen appeared with the text like this (cannot recall the exact wording): Work in progress Resuming .. and in half a minute or so you were back where you left! Also, the macro language was much better; I remember one describing Sprint as "one big macro". It arrived too late. I moved on to Am? Pro from Samna, a true Windows application later bought by Lotus and now renamed Lotus WordPro. Still the best word processor around. /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From rockysmolin at bchacc.com Wed Oct 10 11:24:05 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 10 Oct 2007 09:24:05 -0700 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <200710091904.l99J42q3003686@databaseadvisors.com> References: <200710091904.l99J42q3003686@databaseadvisors.com> Message-ID: <001301c80b59$fa2ff160$0301a8c0@HAL9005> TRS-DOS (raising hand). Wrote some lead tracking software for my wife who started a business doing lead fulfillment for local companies. Great days. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Tuesday, October 09, 2007 12:00 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs So did any of you guys use Condor 3 or DataPerfect? Tandy 1000 MS-DOS? Tandy 4p CP/M, TRS-DOS, etc.? At 12:00 PM 10/9/2007, you wrote: >Date: Tue, 09 Oct 2007 18:55:10 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] OT Tuesday? FW: The Most Collectible PCs >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi John > >You could have written her a macro or two. Oh boy, brings back memories >struggling with the curly brackets. I wrote about 1990 in WP 5.x a lot >of macros for clients - it was dark ages compared to now. > >/gustav > > >>> jwcolby at colbyconsulting.com 09-10-2007 18:45 >>> >LOL. There was no future in WP. I kept telling her to email you with >her questions but she refused... What was I to do? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.5/1058 - Release Date: 10/8/2007 4:54 PM From ssharkins at gmail.com Wed Oct 10 12:52:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 10 Oct 2007 13:52:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <009f01c80b4b$d506e230$657aa8c0@M90><00c501c80b4d$abaf0320$4b3a8343@SusanOne> Message-ID: <005401c80b66$6aca9450$4b3a8343@SusanOne> > We had to produce a commercial product using Microsoft software and have > it examined and passed by a company (which turned out to be in China, > BTW) contracting with Microsoft. I believe one of our developers had to > be certified, but I think he already was, so that wasn't an issue. =========Did MS assign the company or do you guys just pick one -- I know that getting products certified is a cottage industry -- perhaps partnership is too or is considered part of the same process? > > There's a time limit on meeting the requirements, but I don't recall > what it was, a year or two. I was involved only as a developer helping > create the application. We can now market ourselves as a Microsoft > Partner, put their logo on our website and materials, ... and I have > managed to forget any other benes. We get all the Microsoft software > for our company's use, operating systems, server products, Office, the > works. =========A client is researching this process, so I'd be glad to learn more about it. Susan H. From cfoust at infostatsystems.com Wed Oct 10 12:57:01 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 10 Oct 2007 10:57:01 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <005401c80b66$6aca9450$4b3a8343@SusanOne> References: <009f01c80b4b$d506e230$657aa8c0@M90><00c501c80b4d$abaf0320$4b3a8343@SusanOne> <005401c80b66$6aca9450$4b3a8343@SusanOne> Message-ID: Nope, we had no idea who was certifying it. It was only when Microsoft told us we'd passed that we found out who had examined it. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 10, 2007 10:53 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > We had to produce a commercial product using Microsoft software and > have it examined and passed by a company (which turned out to be in > China, > BTW) contracting with Microsoft. I believe one of our developers had > to be certified, but I think he already was, so that wasn't an issue. =========Did MS assign the company or do you guys just pick one -- I know that getting products certified is a cottage industry -- perhaps partnership is too or is considered part of the same process? > > There's a time limit on meeting the requirements, but I don't recall > what it was, a year or two. I was involved only as a developer > helping create the application. We can now market ourselves as a > Microsoft Partner, put their logo on our website and materials, ... > and I have managed to forget any other benes. We get all the > Microsoft software for our company's use, operating systems, server > products, Office, the works. =========A client is researching this process, so I'd be glad to learn more about it. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Thu Oct 11 04:08:36 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Thu, 11 Oct 2007 11:08:36 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers (update) Message-ID: Hi all It appears that taking a course to obtain the Web Solution toolkit also fulfills the requirement for the Action Pack: https://partner.microsoft.com/40047166 Note: If you successfully complete one of the Web Solutions assessments, you'll also meet the assessment requirement to receive the full Action Pack Subscription. Now, the intro course listed here: https://training.partner.microsoft.com/plc/search_adv.aspx?ssid=13188e70-a871-4e14-83c6-24ebf503360b Microsoft Expression Quick Start: Creating a Standards-Based Website https://training.partner.microsoft.com/plc/details.aspx?systemid=1715370&page=/plc/search_adv.aspx is quite easy. Should you miss the 70% score, go to My Training, cancel the course and take it again. /gustav >>> Gustav at cactus.dk 10-10-2007 14:50 >>> Hi Jim That's right, but only every second year, and it is an on-line course: https://partner.microsoft.com/actionpack https://partner.microsoft.com/40044196 Some of these my colleague can do with closed eyes ... /gustav >>> jimdettman at verizon.net 10-10-2007 14:35 >>> Gustav, I hate the Microsoft exam circus as well and in fact gave up on the SBS certification because of it. But got bad news for you; the Action Pack will shortly require passing a Microsoft exam in order to continue to receive the subscription. They want to get rid of the deadwood. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 10, 2007 4:09 AM To: accessd at databaseadvisors.com Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Hi all We (my employer and I) don't want to spend money on the "MS exam circus" as the ROI is zero. Thus, our official Small Business Specialist status will be lost (and our clients don't care as they hardly knew that anyway). No big deal. However, that status have the additional benefit that combined with the Action Pack Subscription (where the ROI is huge) you are offered Visual Studio Standard 2005 for free. So no SB partner => no free VS which is bad now that VS2008 is close. But a new free add-on to the Action Pack is now announced which could be of interest for those of you not having Visual Studio yet or have felt the limitations of the free Express editions, a "special edition toolkit" for Web Solution Providers: https://partner.microsoft.com/webresourcekit It includes Microsoft Visual Studio Standard 2008 and Expression Studio. The estimated ship date for the kit is January 2008. One of the steps to obtain the kit is to: Successfully complete one of three free online courses and the associated assessment with a score of 70 percent or higher .. These seems to have a duration from 0,5 to 1,5 hours, so you have to pay by spending some of your valuable time! /gustav From wdhindman at dejpolsystems.com Thu Oct 11 21:08:55 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Thu, 11 Oct 2007 22:08:55 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90> Message-ID: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> ...I too have shifted my development environment from primarily Access to .Net ...and if you like 2 you're going to love 3.5 :) ...if only there was an AccessD equivalent for .Net ...tried quite a few ...keep coming back here for some damn reason :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely impressed > with the functionality of VB.Net and Visual Studio. .NET 2.0 is a > programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in fact > my > experience with that was one reason I delayed so long in trying to do the > 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack,now with special edition toolkit for Web > Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" > as > the ROI is zero. Thus, our official Small Business Specialist status will > be > lost (and our clients don't care as they hardly knew that anyway). No big > deal. > > However, that status have the additional benefit that combined with the > Action Pack Subscription (where the ROI is huge) you are offered Visual > Studio Standard 2005 for free. So no SB partner => no free VS which is bad > now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could be > of > interest for those of you not having Visual Studio yet or have felt the > limitations of the free Express editions, a "special edition toolkit" for > Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to pay > by > spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 11 22:18:58 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 11 Oct 2007 23:18:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> Message-ID: <000801c80c7e$a1b363c0$657aa8c0@M90> Well William, good to hear from you. There are a few of us hanging out on the AccessD VB group. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Thursday, October 11, 2007 10:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers ...I too have shifted my development environment from primarily Access to .Net ...and if you like 2 you're going to love 3.5 :) ...if only there was an AccessD equivalent for .Net ...tried quite a few ...keep coming back here for some damn reason :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 10, 2007 8:43 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Having started using VS2005 (in 2007) I must say I am extremely > impressed with the functionality of VB.Net and Visual Studio. .NET > 2.0 is a programmers dream, assuming you are willing to climb the learning curve. > I > also have to say I was not nearly as impressed with .Net 1.0 and in > fact my experience with that was one reason I delayed so long in > trying to do the 2.0 stuff. > > I am nowhere near proficient with 2.0 but I like it a lot. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > Brock > Sent: Wednesday, October 10, 2007 4:09 AM > To: accessd at databaseadvisors.com > Subject: [AccessD] Action Pack,now with special edition toolkit for > Web Solution Providers > > Hi all > > We (my employer and I) don't want to spend money on the "MS exam circus" > as > the ROI is zero. Thus, our official Small Business Specialist status > will be lost (and our clients don't care as they hardly knew that > anyway). No big deal. > > However, that status have the additional benefit that combined with > the Action Pack Subscription (where the ROI is huge) you are offered > Visual Studio Standard 2005 for free. So no SB partner => no free VS > which is bad now that VS2008 is close. > > But a new free add-on to the Action Pack is now announced which could > be of interest for those of you not having Visual Studio yet or have > felt the limitations of the free Express editions, a "special edition > toolkit" for Web Solution Providers: > > https://partner.microsoft.com/webresourcekit > > It includes Microsoft Visual Studio Standard 2008 and Expression Studio. > The estimated ship date for the kit is January 2008. > > One of the steps to obtain the kit is to: > > Successfully complete one of three free online courses and the > associated assessment with a score of 70 percent or higher .. > > These seems to have a duration from 0,5 to 1,5 hours, so you have to > pay by spending some of your valuable time! > > /gustav > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Fri Oct 12 00:15:37 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 12 Oct 2007 01:15:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> <000801c80c7e$a1b363c0$657aa8c0@M90> Message-ID: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> ...not enough critical mass in the dba-vb list jc :( William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 11, 2007 11:18 PM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Well William, good to hear from you. There are a few of us hanging out on > the AccessD VB group. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Thursday, October 11, 2007 10:09 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > ...I too have shifted my development environment from primarily Access to > .Net ...and if you like 2 you're going to love 3.5 :) > > ...if only there was an AccessD equivalent for .Net ...tried quite a few > ...keep coming back here for some damn reason :) > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Wednesday, October 10, 2007 8:43 AM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > >> Having started using VS2005 (in 2007) I must say I am extremely >> impressed with the functionality of VB.Net and Visual Studio. .NET >> 2.0 is a programmers dream, assuming you are willing to climb the >> learning > curve. >> I >> also have to say I was not nearly as impressed with .Net 1.0 and in >> fact my experience with that was one reason I delayed so long in >> trying to do the 2.0 stuff. >> >> I am nowhere near proficient with 2.0 but I like it a lot. >> >> John W. Colby >> Colby Consulting >> www.ColbyConsulting.com >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav >> Brock >> Sent: Wednesday, October 10, 2007 4:09 AM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Action Pack,now with special edition toolkit for >> Web Solution Providers >> >> Hi all >> >> We (my employer and I) don't want to spend money on the "MS exam circus" >> as >> the ROI is zero. Thus, our official Small Business Specialist status >> will be lost (and our clients don't care as they hardly knew that >> anyway). No big deal. >> >> However, that status have the additional benefit that combined with >> the Action Pack Subscription (where the ROI is huge) you are offered >> Visual Studio Standard 2005 for free. So no SB partner => no free VS >> which is bad now that VS2008 is close. >> >> But a new free add-on to the Action Pack is now announced which could >> be of interest for those of you not having Visual Studio yet or have >> felt the limitations of the free Express editions, a "special edition >> toolkit" for Web Solution Providers: >> >> https://partner.microsoft.com/webresourcekit >> >> It includes Microsoft Visual Studio Standard 2008 and Expression Studio. >> The estimated ship date for the kit is January 2008. >> >> One of the steps to obtain the kit is to: >> >> Successfully complete one of three free online courses and the >> associated assessment with a score of 70 percent or higher .. >> >> These seems to have a duration from 0,5 to 1,5 hours, so you have to >> pay by spending some of your valuable time! >> >> /gustav >> >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From darren at activebilling.com.au Fri Oct 12 01:06:09 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 12 Oct 2007 16:06:09 +1000 Subject: [AccessD] ADProject: Getting Database Name Message-ID: <200710120606.l9C664rG004981@databaseadvisors.com> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren From anitatiedemann at gmail.com Fri Oct 12 01:44:32 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 12 Oct 2007 16:44:32 +1000 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> <000801c80c7e$a1b363c0$657aa8c0@M90> <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> Message-ID: ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Thursday, October 11, 2007 11:18 PM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > > > Well William, good to hear from you. There are a few of us hanging out > on > > the AccessD VB group. > > > > > > John W. Colby > > Colby Consulting > > www.ColbyConsulting.com > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > > Sent: Thursday, October 11, 2007 10:09 PM > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > > Web > > Solution Providers > > > > ...I too have shifted my development environment from primarily Access > to > > .Net ...and if you like 2 you're going to love 3.5 :) > > > > ...if only there was an AccessD equivalent for .Net ...tried quite a few > > ...keep coming back here for some damn reason :) > > > > William > > > > ----- Original Message ----- > > From: "jwcolby" > > To: "'Access Developers discussion and problem solving'" > > > > Sent: Wednesday, October 10, 2007 8:43 AM > > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > > Web > > Solution Providers > > > > > >> Having started using VS2005 (in 2007) I must say I am extremely > >> impressed with the functionality of VB.Net and Visual Studio. .NET > >> 2.0 is a programmers dream, assuming you are willing to climb the > >> learning > > curve. > >> I > >> also have to say I was not nearly as impressed with .Net 1.0 and in > >> fact my experience with that was one reason I delayed so long in > >> trying to do the 2.0 stuff. > >> > >> I am nowhere near proficient with 2.0 but I like it a lot. > >> > >> John W. Colby > >> Colby Consulting > >> www.ColbyConsulting.com > >> -----Original Message----- > >> From: accessd-bounces at databaseadvisors.com > >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav > >> Brock > >> Sent: Wednesday, October 10, 2007 4:09 AM > >> To: accessd at databaseadvisors.com > >> Subject: [AccessD] Action Pack,now with special edition toolkit for > >> Web Solution Providers > >> > >> Hi all > >> > >> We (my employer and I) don't want to spend money on the "MS exam > circus" > >> as > >> the ROI is zero. Thus, our official Small Business Specialist status > >> will be lost (and our clients don't care as they hardly knew that > >> anyway). No big deal. > >> > >> However, that status have the additional benefit that combined with > >> the Action Pack Subscription (where the ROI is huge) you are offered > >> Visual Studio Standard 2005 for free. So no SB partner => no free VS > >> which is bad now that VS2008 is close. > >> > >> But a new free add-on to the Action Pack is now announced which could > >> be of interest for those of you not having Visual Studio yet or have > >> felt the limitations of the free Express editions, a "special edition > >> toolkit" for Web Solution Providers: > >> > >> https://partner.microsoft.com/webresourcekit > >> > >> It includes Microsoft Visual Studio Standard 2008 and Expression > Studio. > >> The estimated ship date for the kit is January 2008. > >> > >> One of the steps to obtain the kit is to: > >> > >> Successfully complete one of three free online courses and the > >> associated assessment with a score of 70 percent or higher .. > >> > >> These seems to have a duration from 0,5 to 1,5 hours, so you have to > >> pay by spending some of your valuable time! > >> > >> /gustav > >> > >> > >> -- > >> AccessD mailing list > >> AccessD at databaseadvisors.com > >> http://databaseadvisors.com/mailman/listinfo/accessd > >> Website: http://www.databaseadvisors.com > >> > >> -- > >> AccessD mailing list > >> AccessD at databaseadvisors.com > >> http://databaseadvisors.com/mailman/listinfo/accessd > >> Website: http://www.databaseadvisors.com > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From Gustav at cactus.dk Fri Oct 12 05:23:32 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 12:23:32 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William From Gustav at cactus.dk Fri Oct 12 05:27:48 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 12:27:48 +0200 Subject: [AccessD] ADProject: Getting Database Name Message-ID: Hi Darren Would it be something like this: strConnect = "DATABASE=something;SERVER=192.168.1.100;PASSWORD=;PORT=3306;OPTION=3;STMT=;" strKey = "SERVER=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) /gustav >>> darren at activebilling.com.au 12-10-2007 08:06 >>> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren From carbonnb at gmail.com Fri Oct 12 06:57:14 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 07:57:14 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90> <003001c80c74$d8858db0$517a6c4c@jisshowsbs.local> Message-ID: On 10/11/07, William Hindman wrote: > ...if only there was an AccessD equivalent for .Net ...tried quite a few > ...keep coming back here for some damn reason :) Glutton for punishment? :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Fri Oct 12 07:06:06 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 08:06:06 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90> <000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> Message-ID: <002101c80cc8$456bbbe0$657aa8c0@M90> I know that but critical mass is caused by people hanging out there. Please at least be there to help us achieve critical mass. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 12, 2007 1:16 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers ...not enough critical mass in the dba-vb list jc :( William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 11, 2007 11:18 PM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Well William, good to hear from you. There are a few of us hanging > out on the AccessD VB group. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Thursday, October 11, 2007 10:09 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > ...I too have shifted my development environment from primarily Access > to .Net ...and if you like 2 you're going to love 3.5 :) > > ...if only there was an AccessD equivalent for .Net ...tried quite a > few ...keep coming back here for some damn reason :) > > William > > ----- Original Message ----- > From: "jwcolby" > To: "'Access Developers discussion and problem solving'" > > Sent: Wednesday, October 10, 2007 8:43 AM > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > >> Having started using VS2005 (in 2007) I must say I am extremely >> impressed with the functionality of VB.Net and Visual Studio. .NET >> 2.0 is a programmers dream, assuming you are willing to climb the >> learning > curve. >> I >> also have to say I was not nearly as impressed with .Net 1.0 and in >> fact my experience with that was one reason I delayed so long in >> trying to do the 2.0 stuff. >> >> I am nowhere near proficient with 2.0 but I like it a lot. >> >> John W. Colby >> Colby Consulting >> www.ColbyConsulting.com >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav >> Brock >> Sent: Wednesday, October 10, 2007 4:09 AM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Action Pack,now with special edition toolkit for >> Web Solution Providers >> >> Hi all >> >> We (my employer and I) don't want to spend money on the "MS exam circus" >> as >> the ROI is zero. Thus, our official Small Business Specialist status >> will be lost (and our clients don't care as they hardly knew that >> anyway). No big deal. >> >> However, that status have the additional benefit that combined with >> the Action Pack Subscription (where the ROI is huge) you are offered >> Visual Studio Standard 2005 for free. So no SB partner => no free VS >> which is bad now that VS2008 is close. >> >> But a new free add-on to the Action Pack is now announced which could >> be of interest for those of you not having Visual Studio yet or have >> felt the limitations of the free Express editions, a "special edition >> toolkit" for Web Solution Providers: >> >> https://partner.microsoft.com/webresourcekit >> >> It includes Microsoft Visual Studio Standard 2008 and Expression Studio. >> The estimated ship date for the kit is January 2008. >> >> One of the steps to obtain the kit is to: >> >> Successfully complete one of three free online courses and the >> associated assessment with a score of 70 percent or higher .. >> >> These seems to have a duration from 0,5 to 1,5 hours, so you have to >> pay by spending some of your valuable time! >> >> /gustav >> >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 07:07:18 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 08:07:18 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: <002201c80cc8$6fce1b30$657aa8c0@M90> I would love to have that happen. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 12 08:04:00 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:04:00 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local> <002101c80cc8$456bbbe0$657aa8c0@M90> Message-ID: <005501c80cd0$62315430$4b3a8343@SusanOne> Well, I'll bite -- can you guys hold my hand through the process. I really do NOT want to learn another new technology, but at this point, can't hurt anything to try. I mean, I'm so dense on the subject that I don't know where to start. I do believe that I have .net because I have SQL Server 2005 Express and it required .net, but beyond that -- no clue what to do with it. Susan H. >I know that but critical mass is caused by people hanging out there. >Please > at least be there to help us achieve critical mass. From pharold at proftesting.com Fri Oct 12 08:06:30 2007 From: pharold at proftesting.com (Perry L Harold) Date: Fri, 12 Oct 2007 09:06:30 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: Message-ID: Everyone hasn't switched to dot net. Perry Harold Professional Testing Inc -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 08:22:37 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 09:22:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <005501c80cd0$62315430$4b3a8343@SusanOne> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90> <005501c80cd0$62315430$4b3a8343@SusanOne> Message-ID: <003401c80cd2$f7cea680$657aa8c0@M90> LOL. I hear you Susan. As for "I must have...", nope, not true. SQL Server 2005 uses the .net framework but the programming language and environment layers are not embedded in SQL Server. You can get VB.Net Express for free from a download on MS site. http://msdn2.microsoft.com/en-us/express/aa718406.aspx That is a programming environment that mimics Visual Studio.Net. In fact is it so close in look and feel that it may be a subset. There are some subtle programming differences that prevent VB.Net Express programs from being easily portable to the full on version, but the express version will allow you to get your feet wet for free, and in fact it allows you to write full on VB.Net programs for free. Highly recommended for the people who do not intend to develop industrial grade applications in .Net but would like to see / learn the VB.Net syntax and even write programs in it. It is simpler than the Visual Studio environment but will still be a learning curve. OTOH it has been easy for developers to get free STANDARD versions of Visual Studio.Net. I got one by attending a product event back when SQL Server 2005 was being introduced. I also got one for watching a pair of videos on the MS site. I think the same kind of thing is happening now for the VS2008 version and I will be doing that when I discover how. Move your questions over to the VB list and you can get a lot of help there. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 12, 2007 9:04 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Well, I'll bite -- can you guys hold my hand through the process. I really do NOT want to learn another new technology, but at this point, can't hurt anything to try. I mean, I'm so dense on the subject that I don't know where to start. I do believe that I have .net because I have SQL Server 2005 Express and it required .net, but beyond that -- no clue what to do with it. Susan H. >I know that but critical mass is caused by people hanging out there. >Please > at least be there to help us achieve critical mass. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Fri Oct 12 08:22:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 12 Oct 2007 15:22:07 +0200 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers Message-ID: Hi Perry You mean (it's Friday): Everyone hasn't switched to dot yet? I didn't mean to exclude someone. But traffic on that list is really low, and I'm sure there would still be room for VB6 postings. /gustav >>> pharold at proftesting.com 12-10-2007 15:06 >>> Everyone hasn't switched to dot net. Perry Harold Professional Testing Inc -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 12, 2007 6:24 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers Hi Anita Yes, and perhaps it should be renamed to dba-dotNet? /gustav >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> ...perhaps it needs to be advertised to attract new members. Anita On 10/12/07, William Hindman wrote: > > ...not enough critical mass in the dba-vb list jc :( > > William From ssharkins at gmail.com Fri Oct 12 08:31:37 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:31:37 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne> <003401c80cd2$f7cea680$657aa8c0@M90> Message-ID: <008f01c80cd4$43cfc8b0$4b3a8343@SusanOne> > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. ========So Express will run without it? It wouldn't with the beta and that I'm sure of -- ask me how I know. :) > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In fact > is > it so close in look and feel that it may be a subset. There are some > subtle > programming differences that prevent VB.Net Express programs from being > easily portable to the full on version, but the express version will allow > you to get your feet wet for free, and in fact it allows you to write full > on VB.Net programs for free. Highly recommended for the people who do not > intend to develop industrial grade applications in .Net but would like to > see / learn the VB.Net syntax and even write programs in it. It is > simpler > than the Visual Studio environment but will still be a learning curve. =========Sounds like a good place to start, thanks. I'll download it this morning and join the VB list -- can't promise I'll actually do anything. ;) I do have VB Express, in fact, I think I may have the entire Express studio, but I can't recall. I'd have to get in the closet... > > OTOH it has been easy for developers to get free STANDARD versions of > Visual > Studio.Net. I got one by attending a product event back when SQL Server > 2005 was being introduced. I also got one for watching a pair of videos > on > the MS site. I think the same kind of thing is happening now for the > VS2008 > version and I will be doing that when I discover how. ==========Well, that's good. If someone runs into one of these free offers, please post a link for the rest of us, just in case. > > Move your questions over to the VB list and you can get a lot of help > there. ==========I will. Thanks. Susan H. From ssharkins at gmail.com Fri Oct 12 08:33:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 12 Oct 2007 09:33:59 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne> <003401c80cd2$f7cea680$657aa8c0@M90> Message-ID: <009401c80cd4$9e5611e0$4b3a8343@SusanOne> OK, here's a question -- are VB Express and VB.NET express the same thing? Susan H. > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In fact > is > it so close in look and feel that it may be a subset. There are some > subtle > programming differences that prevent VB.Net Express programs from being > easily portable to the full on version, but the express version will allow > you to get your feet wet for free, and in fact it allows you to write full > on VB.Net programs for free. Highly recommended for the people who do not > intend to develop industrial grade applications in .Net but would like to > see / learn the VB.Net syntax and even write programs in it. It is > simpler > than the Visual Studio environment but will still be a learning curve. > > OTOH it has been easy for developers to get free STANDARD versions of > Visual > Studio.Net. I got one by attending a product event back when SQL Server > 2005 was being introduced. I also got one for watching a pair of videos > on > the MS site. I think the same kind of thing is happening now for the > VS2008 > version and I will be doing that when I discover how. > > Move your questions over to the VB list and you can get a lot of help > there. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins > Sent: Friday, October 12, 2007 9:04 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > Well, I'll bite -- can you guys hold my hand through the process. I really > do NOT want to learn another new technology, but at this point, can't hurt > anything to try. I mean, I'm so dense on the subject that I don't know > where > to start. I do believe that I have .net because I have SQL Server 2005 > Express and it required .net, but beyond that -- no clue what to do with > it. > > Susan H. > > >>I know that but critical mass is caused by people hanging out there. >>Please >> at least be there to help us achieve critical mass. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From carbonnb at gmail.com Fri Oct 12 08:39:20 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 09:39:20 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: References: Message-ID: On 10/12/07, Gustav Brock wrote: > I didn't mean to exclude someone. But traffic on that list is really low, and I'm sure there would still be room for VB6 postings. No worries folks. Nothing is changing at the moment. John (our illustrious president) and I are discussing this suggestion. Well I sent him an e-mail a short while ago and waiting for him to come online :) -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From cfoust at infostatsystems.com Fri Oct 12 09:38:43 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 07:38:43 -0700 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <009401c80cd4$9e5611e0$4b3a8343@SusanOne> References: <008d01c80b3b$35aa5330$657aa8c0@M90><003001c80c74$d8858db0$517a6c4c@jisshowsbs.local><000801c80c7e$a1b363c0$657aa8c0@M90><000301c80c8e$ed4dd710$517a6c4c@jisshowsbs.local><002101c80cc8$456bbbe0$657aa8c0@M90><005501c80cd0$62315430$4b3a8343@SusanOne><003401c80cd2$f7cea680$657aa8c0@M90> <009401c80cd4$9e5611e0$4b3a8343@SusanOne> Message-ID: VB.Net is VB7, so I'd say the answer is yes. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 12, 2007 6:34 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers OK, here's a question -- are VB Express and VB.NET express the same thing? Susan H. > LOL. I hear you Susan. As for "I must have...", nope, not true. SQL > Server 2005 uses the .net framework but the programming language and > environment layers are not embedded in SQL Server. > > You can get VB.Net Express for free from a download on MS site. > > http://msdn2.microsoft.com/en-us/express/aa718406.aspx > > That is a programming environment that mimics Visual Studio.Net. In > fact is it so close in look and feel that it may be a subset. There > are some subtle programming differences that prevent VB.Net Express > programs from being easily portable to the full on version, but the > express version will allow you to get your feet wet for free, and in > fact it allows you to write full on VB.Net programs for free. Highly > recommended for the people who do not intend to develop industrial > grade applications in .Net but would like to see / learn the VB.Net > syntax and even write programs in it. It is simpler than the Visual > Studio environment but will still be a learning curve. > > OTOH it has been easy for developers to get free STANDARD versions of > Visual Studio.Net. I got one by attending a product event back when > SQL Server > 2005 was being introduced. I also got one for watching a pair of > videos on the MS site. I think the same kind of thing is happening > now for the > VS2008 > version and I will be doing that when I discover how. > > Move your questions over to the VB list and you can get a lot of help > there. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan > Harkins > Sent: Friday, October 12, 2007 9:04 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit > for Web Solution Providers > > Well, I'll bite -- can you guys hold my hand through the process. I > really do NOT want to learn another new technology, but at this point, > can't hurt anything to try. I mean, I'm so dense on the subject that I > don't know where to start. I do believe that I have .net because I > have SQL Server 2005 Express and it required .net, but beyond that -- > no clue what to do with it. > > Susan H. > > >>I know that but critical mass is caused by people hanging out there. >>Please >> at least be there to help us achieve critical mass. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 12 10:12:51 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 12 Oct 2007 11:12:51 -0400 Subject: [AccessD] Unlocker Message-ID: <000f01c80ce2$5c4d6f60$657aa8c0@M90> I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com From DWUTKA at Marlow.com Fri Oct 12 10:51:38 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 12 Oct 2007 10:51:38 -0500 Subject: [AccessD] Unlocker In-Reply-To: <000f01c80ce2$5c4d6f60$657aa8c0@M90> Message-ID: Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jimdettman at verizon.net Fri Oct 12 11:12:51 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 12 Oct 2007 12:12:51 -0400 Subject: [AccessD] Unlocker In-Reply-To: References: <000f01c80ce2$5c4d6f60$657aa8c0@M90> Message-ID: <000901c80cea$bd9cf580$8abea8c0@XPS> Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Fri Oct 12 11:53:24 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 12 Oct 2007 11:53:24 -0500 Subject: [AccessD] Unlocker In-Reply-To: <000901c80cea$bd9cf580$8abea8c0@XPS> Message-ID: No, it should work for a locally used file too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 12, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Unlocker Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From carbonnb at gmail.com Fri Oct 12 15:24:03 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Fri, 12 Oct 2007 16:24:03 -0400 Subject: [AccessD] Dear DBA.... Message-ID: Friday Humour http://weblogs.sqlteam.com/jeffs/archive/2007/03/28/60145.aspx -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From robert at webedb.com Fri Oct 12 14:04:55 2007 From: robert at webedb.com (Robert L. Stewart) Date: Fri, 12 Oct 2007 14:04:55 -0500 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: References: Message-ID: <200710122114.l9CLDwbI003119@databaseadvisors.com> Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William From cfoust at infostatsystems.com Fri Oct 12 15:55:46 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 13:55:46 -0700 Subject: [AccessD] Dear DBA.... In-Reply-To: References: Message-ID: ROTFL I just got notified that we're making some table changes that will require me to totally rebuild a number of forms/subforms and all the interaction involved. Perfect timing! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Friday, October 12, 2007 1:24 PM To: Access Developers discussion and problem solving Subject: [AccessD] Dear DBA.... Friday Humour http://weblogs.sqlteam.com/jeffs/archive/2007/03/28/60145.aspx -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Fri Oct 12 15:56:49 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 12 Oct 2007 13:56:49 -0700 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: <200710122114.l9CLDwbI003119@databaseadvisors.com> References: <200710122114.l9CLDwbI003119@databaseadvisors.com> Message-ID: I haven't seen any activity at all there lately except from us dotNet types. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Friday, October 12, 2007 12:05 PM To: accessd at databaseadvisors.com Subject: [AccessD] Rename to dba-dotNet fron dba-vb Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From nd500_lo at charter.net Fri Oct 12 16:15:41 2007 From: nd500_lo at charter.net (Dian) Date: Fri, 12 Oct 2007 14:15:41 -0700 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: References: <200710122114.l9CLDwbI003119@databaseadvisors.com> Message-ID: <000501c80d15$0b62d580$6400a8c0@dsunit1> Ummmmmm...silly question, I'm sure...but, since not all of us are into Access exclusively, although it remains close to our hearts...couldn't we rename THIS list to simply "Database Advisors" or something and include the new technologies as they come up? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Friday, October 12, 2007 1:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Rename to dba-dotNet fron dba-vb I haven't seen any activity at all there lately except from us dotNet types. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Robert L. Stewart Sent: Friday, October 12, 2007 12:05 PM To: accessd at databaseadvisors.com Subject: [AccessD] Rename to dba-dotNet fron dba-vb Most of the people that I have seen on the other list are from other countries (i.e. India). Most have not even read the on-line manual and ask some of the least bright questions I have ever seen. I would have for the dba list to go to that. I did not know there was another one. So, now, I will join it also. Most of the work I am doing is SQL Server. But I am still teaching DotNet once a month at a local user group. At 12:00 PM 10/12/2007, you wrote: >Date: Fri, 12 Oct 2007 12:23:32 +0200 >From: "Gustav Brock" >Subject: Re: [AccessD] Action Pack, now with special edition toolkit > for Web Solution Providers >To: >Message-ID: >Content-Type: text/plain; charset=US-ASCII > >Hi Anita > >Yes, and perhaps it should be renamed to dba-dotNet? > >/gustav > > >>> anitatiedemann at gmail.com 12-10-2007 08:44 >>> >...perhaps it needs to be advertised to attract new members. > >Anita > > >On 10/12/07, William Hindman wrote: > > > > ...not enough critical mass in the dba-vb list jc :( > > > > William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 12 16:39:52 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 12 Oct 2007 17:39:52 -0400 Subject: [AccessD] Rename to dba-dotNet fron dba-vb In-Reply-To: <000501c80d15$0b62d580$6400a8c0@dsunit1> References: <200710122114.l9CLDwbI003119@databaseadvisors.com> <000501c80d15$0b62d580$6400a8c0@dsunit1> Message-ID: <29f585dd0710121439q78f3b0e6kfa685482041cef46@mail.gmail.com> Absitively and posolutely not. (c.f. eecummings) Hey, it's Friday. On 10/12/07, Dian wrote: > > Ummmmmm...silly question, I'm sure...but, since not all of us are into > Access exclusively, although it remains close to our hearts...couldn't we > rename THIS list to simply "Database Advisors" or something and include > the > new technologies as they come up? > From wdhindman at dejpolsystems.com Fri Oct 12 20:08:58 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 12 Oct 2007 21:08:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: Message-ID: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> ...imnsho, the name change would be most helpful ...I'm focusing on C# rather than vb ...you might be amazed at how easy the move from vb to C# really is, especially with the growing number of code translators available ...and you know if I can do it, anyone can :) William ----- Original Message ----- From: "Bryan Carbonnell" To: "Access Developers discussion and problem solving" Sent: Friday, October 12, 2007 9:39 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > On 10/12/07, Gustav Brock wrote: > >> I didn't mean to exclude someone. But traffic on that list is really low, >> and I'm sure there would still be room for VB6 postings. > > No worries folks. Nothing is changing at the moment. > > John (our illustrious president) and I are discussing this suggestion. > Well I sent him an e-mail a short while ago and waiting for him to > come online :) > > -- > Bryan Carbonnell - carbonnb at gmail.com > Life's journey is not to arrive at the grave safely in a well > preserved body, but rather to skid in sideways, totally worn out, > shouting "What a great ride!" > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 12 20:17:58 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 12 Oct 2007 21:17:58 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> References: <002501c80d35$a2d5af80$517a6c4c@jisshowsbs.local> Message-ID: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> There's a purely monetary reason for going that way, too. According to my admittedly loose stats, you make about +$15 an hour by claiming C# vs. VB.NET. I agree with you, William, C# is a piece of cake given even a modicum of VB.NET. But there seems to be a monetary advantage as well. And to be fair, there are a couple of things you can do in C# that you can't in VB.NET. As to the name change, I'm seriously in favour. Who programs in VB6 any more? Somebody, somewhere, no doubt. But to preserve the name for him? A. On 10/12/07, William Hindman wrote: > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > rather than vb ...you might be amazed at how easy the move from vb to C# > really is, especially with the growing number of code translators > available > ...and you know if I can do it, anyone can :) > > William > From jimdettman at verizon.net Fri Oct 12 20:41:16 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Fri, 12 Oct 2007 21:41:16 -0400 Subject: [AccessD] Unlocker In-Reply-To: References: <000901c80cea$bd9cf580$8abea8c0@XPS> Message-ID: <00cc01c80d3a$25d2dee0$8abea8c0@XPS> Drew, Only if it's accessed through a share. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 12:53 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker No, it should work for a locally used file too. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Friday, October 12, 2007 11:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Unlocker Drew, That only works for net processes (assuming your talking about Shares/open files) and even then, might not always clear things up. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 12, 2007 11:52 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Unlocker Actually, if you have admin access to a server, you can boot everyone out of a database with Computer management. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 12, 2007 10:13 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Unlocker I just ran across this: http://ccollomb.free.fr/unlocker/ It MIGHT work to unlock Access when you would otherwise have to reboot the server to boot everyone because Access has screwed up. OTOH who knows what would happen if it does work and unlocked real valid locks on the BE. If anyone wants to test this for us... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Sat Oct 13 03:13:17 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Sat, 13 Oct 2007 12:13:17 +0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> Message-ID: <000001c80d70$e8e921b0$6401a8c0@nant> Yes, that would be very useful to talk about C# in DBA-CS (?). IMO C# is great not only as very laconic and powerful programming language etc.etc. but also because it's so easy to post and copy and paste and run code samples written on C# and posted in e-mail messages where they can get "screwed"/wrapped out because of message's text line length limitations etc. Here is a simple sample to demonstrate this C# feature-by-design: Save the following two lines into hw.cs: using System;class hw {static void Main(){Console.WriteLine("\nHello, World!\n");}} Save the following seven lines into csc.bat @echo off echo Compiling hw.cs... C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\csc.exe hw.cs /nologo echo Running hw.exe... hw.exe pause del hw.exe In the case you have .NET Framework installed in C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727 you'll get the following results while running csc.bat: Compiling hw.cs... Running hw.exe... Hello, World! Press any key to continue . . . Of course you can generalize this idea to have parameterized batch files as well as csc.exe and/or vbc.exe response files as well as msbuild.exe project files as well as ... - then you can get very advanced samples compiled and built from source files without VS and "automagically" tested if samples will be supplied with (unit) tests for tools like NUnit... And with some more efforts you can get agile software factory continually integrating (CruseControl.NET) and (re-)deploying in hot mode your customers' applications automagically built from code snippets borrowed from all corners of Internet... A kind of kidding about the latter of course but... And a funny story in the end: "I've got so angry today: when I've got back home I have found a diskette sticked by a magnet to the fridge's door with a note: 'Darling, here is the diskette with important documents you've been desperately looking for all the yesterday evening...' " I must note that's not a story about my wife - I do not use diskettes for a long time now :) BTW, we have a XXVI's Wedding Anniversary today... Have nice weekend. :) -- Shamil P.S. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Saturday, October 13, 2007 5:18 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers There's a purely monetary reason for going that way, too. According to my admittedly loose stats, you make about +$15 an hour by claiming C# vs. VB.NET. I agree with you, William, C# is a piece of cake given even a modicum of VB.NET. But there seems to be a monetary advantage as well. And to be fair, there are a couple of things you can do in C# that you can't in VB.NET. As to the name change, I'm seriously in favour. Who programs in VB6 any more? Somebody, somewhere, no doubt. But to preserve the name for him? A. On 10/12/07, William Hindman wrote: > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > rather than vb ...you might be amazed at how easy the move from vb to C# > really is, especially with the growing number of code translators > available > ...and you know if I can do it, anyone can :) > > William > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Sat Oct 13 08:48:00 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sat, 13 Oct 2007 09:48:00 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers References: <000001c80d70$e8e921b0$6401a8c0@nant> Message-ID: <001801c80d9f$ac1ea5f0$0c10a8c0@jisshowsbs.local> ...as usual, most of that kind of whoooshed right on by me ...but congrats on the anniversary :) ...I will say that I've been very surprised by how easily large parts of my Access code ported to vb.net and eventually C# ...a couple of paradigm changes in understanding inheritance and objects but otherwise I'm finding it at least as easy as vba ever was ...and there are so many freaking things that dotnet does automagically that Access pales in comparison ...and I've just begun to poke at its possibilities. William ----- Original Message ----- From: "Shamil Salakhetdinov" To: "'Access Developers discussion and problem solving'" Sent: Saturday, October 13, 2007 4:13 AM Subject: Re: [AccessD] Action Pack,now with special edition toolkit for Web Solution Providers > Yes, that would be very useful to talk about C# in DBA-CS (?). > > IMO C# is great not only as very laconic and powerful programming language > etc.etc. but also because it's so easy to post and copy and paste and run > code samples written on C# and posted in e-mail messages where they can > get > "screwed"/wrapped out because of message's text line length limitations > etc. > > Here is a simple sample to demonstrate this C# feature-by-design: > > Save the following two lines into hw.cs: > > using System;class hw {static void Main(){Console.WriteLine("\nHello, > World!\n");}} > > Save the following seven lines into csc.bat > > @echo off > echo Compiling hw.cs... > C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727\csc.exe hw.cs /nologo > echo Running hw.exe... > hw.exe > pause > del hw.exe > > In the case you have .NET Framework installed in > C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727 you'll get the following > results while running csc.bat: > > Compiling hw.cs... > Running hw.exe... > > Hello, World! > > Press any key to continue . . . > > Of course you can generalize this idea to have parameterized batch files > as > well as csc.exe and/or vbc.exe response files as well as msbuild.exe > project > files as well as ... - then you can get very advanced samples compiled and > built from source files without VS and "automagically" tested if samples > will be supplied with (unit) tests for tools like NUnit... > > And with some more efforts you can get agile software factory continually > integrating (CruseControl.NET) and (re-)deploying in hot mode your > customers' applications automagically built from code snippets borrowed > from > all corners of Internet... > > A kind of kidding about the latter of course but... > > And a funny story in the end: > > "I've got so angry today: when I've got back home I have found a diskette > sticked by a magnet to the fridge's door with a note: 'Darling, here is > the > diskette with important documents you've been desperately looking for all > the yesterday evening...' " > > I must note that's not a story about my wife - I do not use diskettes for > a > long time now :) > > BTW, we have a XXVI's Wedding Anniversary today... > > Have nice weekend. :) > > -- > Shamil > > P.S. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Saturday, October 13, 2007 5:18 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > There's a purely monetary reason for going that way, too. According to my > admittedly loose stats, you make about +$15 an hour by claiming C# vs. > VB.NET. I agree with you, William, C# is a piece of cake given even a > modicum of VB.NET. But there seems to be a monetary advantage as well. And > to be fair, there are a couple of things you can do in C# that you can't > in > VB.NET. > > As to the name change, I'm seriously in favour. Who programs in VB6 any > more? Somebody, somewhere, no doubt. But to preserve the name for him? > > A. > > On 10/12/07, William Hindman wrote: >> >> ...imnsho, the name change would be most helpful ...I'm focusing on C# >> rather than vb ...you might be amazed at how easy the move from vb to C# >> really is, especially with the growing number of code translators >> available >> ...and you know if I can do it, anyone can :) >> >> William >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Sat Oct 13 08:47:19 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sat, 13 Oct 2007 09:47:19 -0400 Subject: [AccessD] Action Pack, now with special edition toolkit for Web Solution Providers In-Reply-To: <000001c80d70$e8e921b0$6401a8c0@nant> References: <29f585dd0710121817k4f645a8bqd2eb001b84abc849@mail.gmail.com> <000001c80d70$e8e921b0$6401a8c0@nant> Message-ID: <29f585dd0710130647j2835d7cexa85ef5630add12dc@mail.gmail.com> Thanks for a great story, Shamil! That's definitely a keeper! And a funny story in the end: > > "I've got so angry today: when I've got back home I have found a diskette > sticked by a magnet to the fridge's door with a note: 'Darling, here is > the > diskette with important documents you've been desperately looking for all > the yesterday evening...' " > > I must note that's not a story about my wife - I do not use diskettes for > a > long time now :) > > BTW, we have a XXVI's Wedding Anniversary today... > > Have nice weekend. :) > > -- > Shamil > > P.S. > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller > Sent: Saturday, October 13, 2007 5:18 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Action Pack,now with special edition toolkit for > Web > Solution Providers > > There's a purely monetary reason for going that way, too. According to my > admittedly loose stats, you make about +$15 an hour by claiming C# vs. > VB.NET. I agree with you, William, C# is a piece of cake given even a > modicum of VB.NET. But there seems to be a monetary advantage as well. And > to be fair, there are a couple of things you can do in C# that you can't > in > VB.NET. > > As to the name change, I'm seriously in favour. Who programs in VB6 any > more? Somebody, somewhere, no doubt. But to preserve the name for him? > > A. > > On 10/12/07, William Hindman wrote: > > > > ...imnsho, the name change would be most helpful ...I'm focusing on C# > > rather than vb ...you might be amazed at how easy the move from vb to C# > > really is, especially with the growing number of code translators > > available > > ...and you know if I can do it, anyone can :) > > > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Sat Oct 13 08:55:03 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sat, 13 Oct 2007 06:55:03 -0700 Subject: [AccessD] Goodbye XP? Message-ID: <001201c80da0$a8233ff0$0301a8c0@HAL9005> "If you want it here it is. Come and get it. But you'd better hurry 'cause it's going fast." The Beatles http://www.msnbc.msn.com/id/21028201/ Rocky From dwaters at usinternet.com Sat Oct 13 08:57:40 2007 From: dwaters at usinternet.com (Dan Waters) Date: Sat, 13 Oct 2007 08:57:40 -0500 Subject: [AccessD] Access 14 Message-ID: <000601c80da1$05b45820$0200a8c0@danwaters> Clint Covington is collecting requests for Access improvements and information about Access applications you currently sell: http://blogs.msdn.com/access/archive/2007/10/12/do-you-sell-and-access-appli cation.aspx Dan From wdhindman at dejpolsystems.com Sat Oct 13 12:31:54 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sat, 13 Oct 2007 13:31:54 -0400 Subject: [AccessD] Goodbye XP? References: <001201c80da0$a8233ff0$0301a8c0@HAL9005> Message-ID: <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> ...if they don't really "fix" Vista, they'll have no choice but to extend it again ...I'm still specing XP for all client systems ...I've installed Vista twice now on test systems and wound up removing it both times ...with 2MB of ram XP still runs circles around Vista imnshe ...past 4MB it levels out ...but for what advantage vs the costs? ...and Access has problems with Vista that don't show in XP ...MS has blown this intro big time. http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab=0&geo=all&date=all ...and while Vista sales have bogged down, the latest Mac OS is taking a substantially greater portion of the new systems market ...and with Mac OS portability to the X86 environment MS may have cut its own throat in releasing Vista before it was ready. ...AND the beta of XP SP3 apparently includes several core Vista features ...plus you must believe MS isn't putting an XP SP into beta now if it really means to cut XP off in a few months time, eh. William ----- Original Message ----- From: "Rocky Smolin at Beach Access Software" To: "'Access Developers discussion and problem solving'" Sent: Saturday, October 13, 2007 9:55 AM Subject: [AccessD] Goodbye XP? > "If you want it here it is. Come and get it. But you'd better hurry > 'cause > it's going fast." The Beatles > > http://www.msnbc.msn.com/id/21028201/ > > Rocky > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From john at winhaven.net Sun Oct 14 13:15:50 2007 From: john at winhaven.net (John Bartow) Date: Sun, 14 Oct 2007 13:15:50 -0500 Subject: [AccessD] Goodbye XP? In-Reply-To: <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> References: <001201c80da0$a8233ff0$0301a8c0@HAL9005> <000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> Message-ID: <015901c80e8e$40145b80$6402a8c0@ScuzzPaq> Ditto on this William. (Albeit GB instead of MB ;o) The only worthy thing Vista has done IMO is lower the cost of hardware - great for XP users! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Saturday, October 13, 2007 12:32 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Goodbye XP? ...if they don't really "fix" Vista, they'll have no choice but to extend it again ...I'm still specing XP for all client systems ...I've installed Vista twice now on test systems and wound up removing it both times ...with 2MB of ram XP still runs circles around Vista imnshe ...past 4MB it levels out ...but for what advantage vs the costs? ...and Access has problems with Vista that don't show in XP ...MS has blown this intro big time. http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= 0&geo=all&date=all ...and while Vista sales have bogged down, the latest Mac OS is taking a substantially greater portion of the new systems market ...and with Mac OS portability to the X86 environment MS may have cut its own throat in releasing Vista before it was ready. ...AND the beta of XP SP3 apparently includes several core Vista features ...plus you must believe MS isn't putting an XP SP into beta now if it really means to cut XP off in a few months time, eh. From ssharkins at gmail.com Sun Oct 14 13:53:59 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Sun, 14 Oct 2007 14:53:59 -0400 Subject: [AccessD] problem sorting in group Message-ID: <000501c80e93$97a9fb20$4b3a8343@SusanOne> I've got a simple report grouped by a date field using the Week Group On setting. However, the dates within each group aren't sorting, even though I've set an Ascending sort both via the Sorting and Grouping feature and in the underlying query. Year values are the same, but only one group is sorting as expected -- 17 July, 18 July, 19 July, and so on. All the others are just skipping around -- 19 July, 18 July, 15 July, 16 July, 17 July. I don't understand why the dates are sorting correctly within the groups. Susan H. From wdhindman at dejpolsystems.com Sun Oct 14 18:09:57 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Sun, 14 Oct 2007 19:09:57 -0400 Subject: [AccessD] Goodbye XP? References: <001201c80da0$a8233ff0$0301a8c0@HAL9005><000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local> <015901c80e8e$40145b80$6402a8c0@ScuzzPaq> Message-ID: <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> "GB instead of MB" ...ssssshhhhh ...no one else will notice, eh :) William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Sunday, October 14, 2007 2:15 PM Subject: Re: [AccessD] Goodbye XP? > Ditto on this William. > (Albeit GB instead of MB ;o) > > The only worthy thing Vista has done IMO is lower the cost of hardware - > great for XP users! > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Saturday, October 13, 2007 12:32 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Goodbye XP? > > ...if they don't really "fix" Vista, they'll have no choice but to extend > it > again ...I'm still specing XP for all client systems ...I've installed > Vista > twice now on test systems and wound up removing it both times ...with 2MB > of > ram XP still runs circles around Vista imnshe ...past 4MB it levels out > ...but for what advantage vs the costs? ...and Access has problems with > Vista that don't show in XP ...MS has blown this intro big time. > > http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= > 0&geo=all&date=all > > ...and while Vista sales have bogged down, the latest Mac OS is taking a > substantially greater portion of the new systems market ...and with Mac OS > portability to the X86 environment MS may have cut its own throat in > releasing Vista before it was ready. > > ...AND the beta of XP SP3 apparently includes several core Vista features > ...plus you must believe MS isn't putting an XP SP into beta now if it > really means to cut XP off in a few months time, eh. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 14 19:04:15 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 14 Oct 2007 20:04:15 -0400 Subject: [AccessD] Goodbye XP? In-Reply-To: <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> References: <001201c80da0$a8233ff0$0301a8c0@HAL9005><000401c80dbe$f346a620$0c10a8c0@jisshowsbs.local><015901c80e8e$40145b80$6402a8c0@ScuzzPaq> <000301c80eb7$572e8650$517a6c4c@jisshowsbs.local> Message-ID: <000d01c80ebe$ed793d60$0eac1cac@M90> Naw, just showing your age. 'twas a time in my youth when I would kill for 2 mb of Ram. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Sunday, October 14, 2007 7:10 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Goodbye XP? "GB instead of MB" ...ssssshhhhh ...no one else will notice, eh :) William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Sunday, October 14, 2007 2:15 PM Subject: Re: [AccessD] Goodbye XP? > Ditto on this William. > (Albeit GB instead of MB ;o) > > The only worthy thing Vista has done IMO is lower the cost of hardware - > great for XP users! > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman > Sent: Saturday, October 13, 2007 12:32 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Goodbye XP? > > ...if they don't really "fix" Vista, they'll have no choice but to extend > it > again ...I'm still specing XP for all client systems ...I've installed > Vista > twice now on test systems and wound up removing it both times ...with 2MB > of > ram XP still runs circles around Vista imnshe ...past 4MB it levels out > ...but for what advantage vs the costs? ...and Access has problems with > Vista that don't show in XP ...MS has blown this intro big time. > > http://www.google.com/trends?q=%22windows+xp%22%2C+%22windows+vista%22&ctab= > 0&geo=all&date=all > > ...and while Vista sales have bogged down, the latest Mac OS is taking a > substantially greater portion of the new systems market ...and with Mac OS > portability to the X86 environment MS may have cut its own throat in > releasing Vista before it was ready. > > ...AND the beta of XP SP3 apparently includes several core Vista features > ...plus you must believe MS isn't putting an XP SP into beta now if it > really means to cut XP off in a few months time, eh. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Mon Oct 15 00:06:29 2007 From: darren at activebilling.com.au (Darren D) Date: Mon, 15 Oct 2007 15:06:29 +1000 Subject: [AccessD] ADProject: Getting Database Name In-Reply-To: Message-ID: <200710150506.l9F56MBm022081@databaseadvisors.com> Hi Gustav - Perfect - As I have said many times - legend I did modify it a bit - I am assuming there already is a connection So Now I have 2 functions - 1 to get the Current DB name and the other to get the server name - See below Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Function f_GetServerName() As String On Error GoTo Err_ Dim strConnect As String Dim strKey As String Dim strSearch As String Dim strServer As String strConnect = Application.CurrentProject.Connection strKey = "SOURCE=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) f_ GetServerName = strServer Exit_: Exit Function Err_: DoCmd.Hourglass False MsgBox Err.Number & " " & Err.Description, vbCritical, "Error in f_ GetServerName Routine" Resume Exit_ End Function ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Function f_dBName() As String On Error GoTo Err_ Dim rs As Object Dim con As Object Dim selSQL As String Set rs = CreateObject("ADODB.Recordset") Set con = Application.CurrentProject.Connection selSQL = "SELECT DB_NAME() AS CurrentDB" rs.Open selSQL, con, 1, 3 f_dBName = rs!CurrentDb rs.Close Set rs = Nothing Exit_: Exit Function Err_: DoCmd.Hourglass False MsgBox Err.Number & " " & Err.Description, vbCritical, "Error in f_dBName Routine" Resume Exit_ End Function ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, 12 October 2007 8:28 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] ADProject: Getting Database Name Hi Darren Would it be something like this: strConnect = "DATABASE=something;SERVER=192.168.1.100;PASSWORD=;PORT=3306;OPTION=3;STMT=;" strKey = "SERVER=" strSearch = Mid(strConnect, InStr(1, strConnect, strKey, vbTextCompare) + Len(strKey)) strServer = Mid(strSearch, 1, InStr(1, strSearch, ";") - 1) /gustav >>> darren at activebilling.com.au 12-10-2007 08:06 >>> Hi All Cross posted to AccessD and dba_SQL Server I want to get the Server name (Data Source) from code - I can get the dB name Now I want just the server name as well - Not all the other stuff that comes with the .Connection property Can anyone assist? Many thanks in advance Darren -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From adtp at airtelbroadband.in Mon Oct 15 00:26:32 2007 From: adtp at airtelbroadband.in (A.D.TEJPAL) Date: Mon, 15 Oct 2007 10:56:32 +0530 Subject: [AccessD] problem sorting in group References: <000501c80e93$97a9fb20$4b3a8343@SusanOne> Message-ID: <00bc01c80eec$1310d4c0$5958a27a@personalec1122> Susan, As soon as any setting is made via Sorting and Grouping dialog box, existing sort order (if any) in the source query gets ignored. Your problem should stand resolved by adding the date field explicitly as the last item in first column of this dialog box (and selecting Ascending or Descending in second column as desired). Best wishes, A.D.Tejpal ------------ ----- Original Message ----- From: Susan Harkins To: AccessD at databaseadvisors.com Sent: Monday, October 15, 2007 00:23 Subject: [AccessD] problem sorting in group I've got a simple report grouped by a date field using the Week Group On setting. However, the dates within each group aren't sorting, even though I've set an Ascending sort both via the Sorting and Grouping feature and in the underlying query. Year values are the same, but only one group is sorting as expected -- 17 July, 18 July, 19 July, and so on. All the others are just skipping around -- 19 July, 18 July, 15 July, 16 July, 17 July. I don't understand why the dates are sorting correctly within the groups. Susan H. From ssharkins at gmail.com Mon Oct 15 07:00:52 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Mon, 15 Oct 2007 08:00:52 -0400 Subject: [AccessD] problem sorting in group References: <000501c80e93$97a9fb20$4b3a8343@SusanOne> <00bc01c80eec$1310d4c0$5958a27a@personalec1122> Message-ID: <003101c80f24$0daba090$4b3a8343@SusanOne> You know, this sounds really familiar -- I'm betting I've seen this before and just forgotten. Thanks. Susan H. > Susan, > > As soon as any setting is made via Sorting and Grouping dialog box, > existing sort order (if any) in the source query gets ignored. > > Your problem should stand resolved by adding the date field explicitly > as the last item in first column of this dialog box (and selecting > Ascending or Descending in second column as desired). > > Best wishes, > A.D.Tejpal > ------------ > > ----- Original Message ----- > From: Susan Harkins > To: AccessD at databaseadvisors.com > Sent: Monday, October 15, 2007 00:23 > Subject: [AccessD] problem sorting in group > > > I've got a simple report grouped by a date field using the Week Group On > setting. However, the dates within each group aren't sorting, even though > I've set an Ascending sort both via the Sorting and Grouping feature and > in > the underlying query. > > Year values are the same, but only one group is sorting as expected -- 17 > July, 18 July, 19 July, and so on. All the others are just skipping > around -- 19 July, 18 July, 15 July, 16 July, 17 July. > > I don't understand why the dates are sorting correctly within the groups. > > Susan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From Gustav at cactus.dk Mon Oct 15 07:50:53 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 15 Oct 2007 14:50:53 +0200 Subject: [AccessD] Dot Net, where to start? Message-ID: Hi Susan et al Now this topic is up again, those interested could review the thread(s) from April. By reading about and redoing the sample application in this chapter (link below), you'll get a feeling for what it is all about (thanks Arthur). It is obtuse but that's the price for moving quickly. /gustav >>> Gustav at cactus.dk 27-04-2007 17:39 >>> Hi Arthur All samples? It lists 470 on Visual Studio alone! Found the JumpStart code download and the book: http://examples.oreilly.com/vbjumpstart/ http://www.oreilly.com/catalog/vbjumpstart/ Thanks! /gustav >>> fuller.artful at gmail.com 27-04-2007 16:28 >>> Go to GotDotNet and download all the samples. Do it relatively quickly since MS has decided to phase out this site. Also go to Visual Studio Magazine and CodePlex. There is a very good intro book called VB.NET JumpStart (google vbJumpStart and you should get to the downloadable code). I found this book so good that I am currently thinking that .NET is even easier than Access. Arthur From john at winhaven.net Mon Oct 15 10:15:51 2007 From: john at winhaven.net (John Bartow) Date: Mon, 15 Oct 2007 10:15:51 -0500 Subject: [AccessD] OT Tuesday? FW: The Most Collectible PCs In-Reply-To: <001301c80b59$fa2ff160$0301a8c0@HAL9005> References: <200710091904.l99J42q3003686@databaseadvisors.com> <001301c80b59$fa2ff160$0301a8c0@HAL9005> Message-ID: <02be01c80f3e$46810a30$6402a8c0@ScuzzPaq> Here's a link to a romantic visual tour down "CrustyOldComputerGeek Lane" ;o) http://content.zdnet.com/2346-9595_22-169761-1.html Ya, sheeesh! I started programming on some of these too :o( From rockysmolin at bchacc.com Mon Oct 15 12:31:24 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 15 Oct 2007 10:31:24 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs in Vista? Message-ID: <007201c80f51$36c3ac20$0301a8c0@HAL9005> >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky From jengross at gte.net Mon Oct 15 14:21:08 2007 From: jengross at gte.net (Jennifer Gross) Date: Mon, 15 Oct 2007 12:21:08 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? In-Reply-To: <007201c80f51$36c3ac20$0301a8c0@HAL9005> Message-ID: <00a001c80f60$905bee00$6501a8c0@jefferson> That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 15 16:25:47 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 15 Oct 2007 14:25:47 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? In-Reply-To: <00a001c80f60$905bee00$6501a8c0@jefferson> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005> <00a001c80f60$905bee00$6501a8c0@jefferson> Message-ID: <00c301c80f71$f4387180$0301a8c0@HAL9005> >From the same colleague - a problem with Access 2007 - don't know if this one's been talked about here or not You cannot export a report to an Excel format in Access 2007 http://support.microsoft.com/kb/934833 Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Monday, October 15, 2007 12:21 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbs inVista? That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.10/1070 - Release Date: 10/14/2007 9:22 AM From cfoust at infostatsystems.com Mon Oct 15 16:51:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 15 Oct 2007 14:51:15 -0700 Subject: [AccessD] Can you believe there's a problem running Access dbsinVista? In-Reply-To: <00c301c80f71$f4387180$0301a8c0@HAL9005> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson> <00c301c80f71$f4387180$0301a8c0@HAL9005> Message-ID: That one I knew about. It isn't just Vista, either. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 2:26 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbsinVista? >From the same colleague - a problem with Access 2007 - don't know if >this one's been talked about here or not You cannot export a report to an Excel format in Access 2007 http://support.microsoft.com/kb/934833 Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jennifer Gross Sent: Monday, October 15, 2007 12:21 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem running Access dbs inVista? That cracked me up Rocky . . . "You can temporarily work around this problem by sharing the database from a computer that is not running Windows Vista" Jennifer -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 15, 2007 10:31 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Can you believe there's a problem running Access dbs inVista? >From a fellow developer: http://support.microsoft.com/?kbid=935370 Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.10/1070 - Release Date: 10/14/2007 9:22 AM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 15 20:49:31 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 15 Oct 2007 20:49:31 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins Message-ID: <001e01c80f96$cbfdad50$0200a8c0@danwaters> http://www.codinghorror.com/blog/archives/000976.html This makes things clear and useful - I'm putting it on my bulletin board! Dan From fuller.artful at gmail.com Mon Oct 15 21:56:49 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 15 Oct 2007 22:56:49 -0400 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <001e01c80f96$cbfdad50$0200a8c0@danwaters> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> Message-ID: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > From dwaters at usinternet.com Mon Oct 15 23:39:38 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 15 Oct 2007 23:39:38 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Message-ID: <000001c80fae$8fefc240$0200a8c0@danwaters> I should have guessed!! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 15, 2007 9:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 16 08:29:49 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 16 Oct 2007 08:29:49 -0500 Subject: [AccessD] Using Venn Diagrams to Represent SQL Joins In-Reply-To: <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> References: <001e01c80f96$cbfdad50$0200a8c0@danwaters> <29f585dd0710151956s44846a23n7a9f727dbbd253e9@mail.gmail.com> Message-ID: <001101c80ff8$a099f710$0200a8c0@danwaters> Hi Arthur, >From the page you referenced, what path would I take? Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 15, 2007 9:57 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins Dan, you should visit www.artfulsoftware.com. We did this years ago, and also explained the more complicated joins such as loose joins and others -- and in more than one flavour of SQL. Arthur On 10/15/07, Dan Waters wrote: > > http://www.codinghorror.com/blog/archives/000976.html > > This makes things clear and useful - I'm putting it on my bulletin board! > > Dan > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Tue Oct 16 09:38:18 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Tue, 16 Oct 2007 10:38:18 -0400 Subject: [AccessD] Can you believe there's a problem running AccessdbsinVista? In-Reply-To: References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem > running Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > From cfoust at infostatsystems.com Tue Oct 16 09:45:53 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 07:45:53 -0700 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: Personnally, I was never satisfied with the export to Excel except for the simplest of reports or for queries. I don't think anyone ever sat the two teams down and said they had to talk to each other! Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 7:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jimdettman at verizon.net Tue Oct 16 10:28:40 2007 From: jimdettman at verizon.net (Jim Dettman) Date: Tue, 16 Oct 2007 11:28:40 -0400 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> References: <007201c80f51$36c3ac20$0301a8c0@HAL9005><00a001c80f60$905bee00$6501a8c0@jefferson><00c301c80f71$f4387180$0301a8c0@HAL9005> <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05E@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: <00ff01c81009$3c4d2d20$8abea8c0@XPS> Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem > running Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 16 10:48:56 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 08:48:56 -0700 Subject: [AccessD] OT - I'll be away Message-ID: Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust From dw-murphy at cox.net Tue Oct 16 10:53:08 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Tue, 16 Oct 2007 08:53:08 -0700 Subject: [AccessD] Can you believe there's a problem runningAccessdbsinVista? In-Reply-To: <00ff01c81009$3c4d2d20$8abea8c0@XPS> Message-ID: <002c01c8100c$a5effe80$0200a8c0@murphy3234aaf1> This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Tue Oct 16 11:12:57 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 16 Oct 2007 09:12:57 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM From Patricia.O'Connor at otda.state.ny.us Tue Oct 16 11:22:48 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Tue, 16 Oct 2007 12:22:48 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB05F@EXCNYSM0A1AI.nysemail.nyenet> Good luck and best wishes on your surgery ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Charlotte Foust > Sent: Tuesday, October 16, 2007 11:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting > tomorrow for some minor surgery. I may be able to VPN in > from home and check my email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From cfoust at infostatsystems.com Tue Oct 16 11:24:55 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 09:24:55 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Having a skin cancer removed from a lower eyelid. I should be a technicolor wonder for a week or so! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 16, 2007 9:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Tue Oct 16 11:48:13 2007 From: garykjos at gmail.com (Gary Kjos) Date: Tue, 16 Oct 2007 11:48:13 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin > at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for some > minor surgery. I may be able to VPN in from home and check my email, > but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From john at winhaven.net Tue Oct 16 11:54:53 2007 From: john at winhaven.net (John Bartow) Date: Tue, 16 Oct 2007 11:54:53 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <00e901c81015$464a2100$6402a8c0@ScuzzPaq> Good Luck on the surgery and best wishes for a rapid recovery! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 10:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 16 12:34:46 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 10:34:46 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: Right, and now I have an excuse! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Tuesday, October 16, 2007 9:48 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for > some minor surgery. I may be able to VPN in from home and check my > email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From robert at webedb.com Tue Oct 16 12:54:35 2007 From: robert at webedb.com (Robert L. Stewart) Date: Tue, 16 Oct 2007 12:54:35 -0500 Subject: [AccessD] Artful Lib In-Reply-To: References: Message-ID: <200710161759.l9GHxhBj031742@databaseadvisors.com> Arthur, My new wife is going through all my boxes and we are trying to reduce the amount of stuff I have. I ran across the original disks for Artful Lib. I kept them in case you wanted a set for nostalgia. Robert At 12:00 PM 10/16/2007, you wrote: >Date: Mon, 15 Oct 2007 22:56:49 -0400 >From: "Arthur Fuller" >Subject: Re: [AccessD] Using Venn Diagrams to Represent SQL Joins >To: "Access Developers discussion and problem solving" > >Message-ID: > <29f585dd0710151956s44846a23n7a9f727dbbd253e9 at mail.gmail.com> >Content-Type: text/plain; charset=ISO-8859-1 > >Dan, you should visit www.artfulsoftware.com. We did this years ago, and >also explained the more complicated joins such as loose joins and others -- >and in more than one flavour of SQL. > >Arthur From Lambert.Heenan at AIG.com Tue Oct 16 13:05:28 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 16 Oct 2007 14:05:28 -0400 Subject: [AccessD] Can you believe there's a problem runningAccessdbsi nVista? Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Tuesday, October 16, 2007 11:53 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Tue Oct 16 13:17:29 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 14:17:29 -0400 Subject: [AccessD] Artful Lib In-Reply-To: <200710161759.l9GHxhBj031742@databaseadvisors.com> References: <200710161759.l9GHxhBj031742@databaseadvisors.com> Message-ID: <29f585dd0710161117x4d940889gd6c3723f504c349c@mail.gmail.com> Wow. I don't own a set! Several wives and moves later, a lot of stuff has gone under the bridge. A. On 10/16/07, Robert L. Stewart wrote: > > Arthur, > > My new wife is going through all my boxes and we are > trying to reduce the amount of stuff I have. I ran > across the original disks for Artful Lib. I kept > them in case you wanted a set for nostalgia. > > Robert > From jwcolby at colbyconsulting.com Tue Oct 16 13:29:43 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 14:29:43 -0400 Subject: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED713B@XLIVMBX35bkup.aig.com> Message-ID: <002b01c81022$85fafc90$0eac1cac@M90> I just saw queries exported to Excel a few minutes ago. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 16, 2007 2:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Doug Murphy Sent: Tuesday, October 16, 2007 11:53 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? This isn't about linking to Excel from Access. The functionality that was removed simply exported data from Access to an Excel file format. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Dettman Sent: Tuesday, October 16, 2007 8:29 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Patricia, It's not really Microsoft; they lost a lawsuit and don't want to pay what the patent holder is asking. Jim. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of O'Connor, Patricia (OTDA) Sent: Tuesday, October 16, 2007 10:38 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Can you believe there's a problem runningAccessdbsinVista? Why is MS doing this nonsense? They are getting worse and worse. We put quite a bit to excel. This is going to cause me to have to deal with helping coworkers and rework many apps. Lovely NOT ************************************************** * Patricia O'Connor ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Monday, October 15, 2007 2:26 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Can you believe there's a problem running > Access dbsinVista? > > >From the same colleague - a problem with Access 2007 - > don't know if > >this > one's been talked about here or not > > You cannot export a report to an Excel format in Access 2007 > > http://support.microsoft.com/kb/934833 > > > Rocky > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 16 13:30:31 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 14:30:31 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: <002c01c81022$a2d2b6f0$0eac1cac@M90> I think she's under the witness protection program. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos Sent: Tuesday, October 16, 2007 12:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Hope it goes well Charlotte. Guess we know you won't be posting any post surgery pictures anywhere since as I recall you don't allow any pictures of you to be posted at all ever right ;-) GK On 10/16/07, Charlotte Foust wrote: > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky > Smolin at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for > some minor surgery. I may be able to VPN in from home and check my > email, but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 16 13:37:12 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 16 Oct 2007 14:37:12 -0400 Subject: [AccessD] OT - I'll be away References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <009401c81023$94662100$4b3a8343@SusanOne> She turned you in???????????? :) susan H. >I think she's under the witness protection program. > From fuller.artful at gmail.com Tue Oct 16 13:43:45 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 14:43:45 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <002c01c81022$a2d2b6f0$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <29f585dd0710161143y756ef75frfbde071bd25e9269@mail.gmail.com> Yeah she talked about some low-life coder she hired and now the Los Angeles combine is all over her. If you can't fix a bug, then what can you fix? Otherwise we're back in the jungle. I'm telling you as a courtesy, this thing is gonna get done. (c.f. Miller's Crossing, my fave movie of all time). A. On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > From Lambert.Heenan at AIG.com Tue Oct 16 14:19:25 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 16 Oct 2007 15:19:25 -0400 Subject: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7143@XLIVMBX35bkup.aig.com> Thanks John. I export to Excel all the time, but only queries. I never thought the 'feature' to export reports was worth the effort. They usually looked awful. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 16, 2007 2:30 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? I just saw queries exported to Excel a few minutes ago. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 16, 2007 2:05 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Can you believe there's a problemrunningAccessdbsi nVista? The Kb article clearly states that the issue involves exporting *reports* to Excel. It does not mention any problems with exporting *Queries* to Excel files. Not being an Access 2007 user I cannot test this. So could anyone confirm that we can still export queries to Excel? Lambert From davidmcafee at gmail.com Tue Oct 16 16:08:45 2007 From: davidmcafee at gmail.com (David McAfee) Date: Tue, 16 Oct 2007 14:08:45 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <002c01c81022$a2d2b6f0$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> Message-ID: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any post > surgery pictures anywhere since as I recall you don't allow any pictures > of > you to be posted at all ever right ;-) > > GK > > From cfoust at infostatsystems.com Tue Oct 16 16:12:41 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 16 Oct 2007 14:12:41 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: Rats! You outted me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 16 16:21:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 16 Oct 2007 17:21:27 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <003301c8103a$84125280$0eac1cac@M90> LOL, I jut had plastic surgery to look like her. I had to hire a PI to find her and take pictures. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 5:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From DWUTKA at Marlow.com Tue Oct 16 16:22:58 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 16 Oct 2007 16:22:58 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: Message-ID: Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. Good luck Charlotte! Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 4:13 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Rats! You outted me! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From fuller.artful at gmail.com Tue Oct 16 16:24:09 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 17:24:09 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <29f585dd0710161424v39aef7d6wd4b2b4ac6e737605@mail.gmail.com> I've seen JC and this thread is getting a tad too sick for me. LOL. On 10/16/07, Charlotte Foust wrote: > > Rats! You outted me! LOL > > Charlotte Foust > From fuller.artful at gmail.com Tue Oct 16 16:25:41 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 16 Oct 2007 17:25:41 -0400 Subject: [AccessD] OT - I'll be away In-Reply-To: <003301c8103a$84125280$0eac1cac@M90> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> <002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> <003301c8103a$84125280$0eac1cac@M90> Message-ID: <29f585dd0710161425l44fe6c05naadd8c9a218328f@mail.gmail.com> What I meant. On the other hand, you'd make a cute couple. On 10/16/07, jwcolby wrote: > > LOL, I jut had plastic surgery to look like her. I had to hire a PI to > find > her and take pictures. > From john at winhaven.net Tue Oct 16 16:32:17 2007 From: john at winhaven.net (John Bartow) Date: Tue, 16 Oct 2007 16:32:17 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: Message-ID: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Yes, he would. And BTW I'll bet no one here knew that they were Assembly coders, but according to Drew you are. Want to know why? Join dba-OT ;o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 16, 2007 4:23 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. From kp at sdsonline.net Tue Oct 16 17:58:02 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Wed, 17 Oct 2007 08:58:02 +1000 Subject: [AccessD] OT - I'll be away References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005> Message-ID: <005701c81048$022de0f0$6701a8c0@DELLAPTOP> Sounds painful - hope it goes well. Take care Kath ----- Original Message ----- From: "Charlotte Foust" To: "Access Developers discussion and problem solving" Sent: Wednesday, October 17, 2007 2:24 AM Subject: Re: [AccessD] OT - I'll be away > Having a skin cancer removed from a lower eyelid. I should be a > technicolor wonder for a week or so! LOL > > Charlotte Foust > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin > at Beach Access Software > Sent: Tuesday, October 16, 2007 9:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] OT - I'll be away > > Good luck - whatever it is. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte > Foust > Sent: Tuesday, October 16, 2007 8:49 AM > To: AccessD at databaseadvisors.com > Subject: [AccessD] OT - I'll be away > > Just to let you know, I'll be off for a week starting tomorrow for some > minor surgery. I may be able to VPN in from home and check my email, > but I'm not counting on it. > > Charlotte Foust > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: > 10/15/2007 > 5:55 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From darren at activebilling.com.au Tue Oct 16 20:03:02 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 17 Oct 2007 11:03:02 +1000 Subject: [AccessD] OT - I'll be away In-Reply-To: Message-ID: <200710170103.l9H12xRk015797@databaseadvisors.com> Good Luck Charlotte - I do hope it goes well -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Wednesday, 17 October 2007 2:25 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Having a skin cancer removed from a lower eyelid. I should be a technicolor wonder for a week or so! LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Tuesday, October 16, 2007 9:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Good luck - whatever it is. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Charlotte Foust Sent: Tuesday, October 16, 2007 8:49 AM To: AccessD at databaseadvisors.com Subject: [AccessD] OT - I'll be away Just to let you know, I'll be off for a week starting tomorrow for some minor surgery. I may be able to VPN in from home and check my email, but I'm not counting on it. Charlotte Foust -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.14.12/1072 - Release Date: 10/15/2007 5:55 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From nd500_lo at charter.net Tue Oct 16 20:53:50 2007 From: nd500_lo at charter.net (Dian) Date: Tue, 16 Oct 2007 18:53:50 -0700 Subject: [AccessD] OT - I'll be away In-Reply-To: <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> References: <005d01c8100f$6a7f4a60$0301a8c0@HAL9005><002c01c81022$a2d2b6f0$0eac1cac@M90> <8786a4c00710161408p2f911ae2rf0aacbae935642ca@mail.gmail.com> Message-ID: <000601c81060$909926c0$6400a8c0@dsunit1> Wait...he's a code word, not an idol... -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of David McAfee Sent: Tuesday, October 16, 2007 2:09 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away I heard she was getting plastic surgery done to make herself look more like her idol, John Colby. :P Good luck & hope for a speedy recovery! On 10/16/07, jwcolby wrote: > > I think she's under the witness protection program. > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gary Kjos > Sent: Tuesday, October 16, 2007 12:48 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] OT - I'll be away > > Hope it goes well Charlotte. Guess we know you won't be posting any > post surgery pictures anywhere since as I recall you don't allow any > pictures of you to be posted at all ever right ;-) > > GK > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jeff at outbaktech.com Wed Oct 17 09:46:55 2007 From: Jeff at outbaktech.com (Jeff Barrows) Date: Wed, 17 Oct 2007 09:46:55 -0500 Subject: [AccessD] OT: ERP Systems Message-ID: Does anyone here work on a Lawson ERP System? If so, could you please contact me off list at jeff.barrows @ racine.k12.wi.us Jeff Barrows MCP, MCAD, MCSD Outbak Technologies, LLC Racine, WI jeff at outbaktech.com From DWUTKA at Marlow.com Wed Oct 17 11:22:07 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 17 Oct 2007 11:22:07 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Message-ID: Trying to recruit for OT? I never said that by the way.... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Tuesday, October 16, 2007 4:32 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Yes, he would. And BTW I'll bet no one here knew that they were Assembly coders, but according to Drew you are. Want to know why? Join dba-OT ;o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 16, 2007 4:23 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT - I'll be away Sorry, late to the thread, been having WAY too much fun on OT, William would be busting a gut if he was over there the last few days. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Patricia.O'Connor at otda.state.ny.us Wed Oct 17 11:22:20 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Wed, 17 Oct 2007 12:22:20 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: <0JHS00JDGDGESWGE@vms048.mailsrvcs.net> References: <005201c79262$d279b3b0$657aa8c0@m6805> <0JHS00JDGDGESWGE@vms048.mailsrvcs.net> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB062@EXCNYSM0A1AI.nysemail.nyenet> I am upgrading an old A97 system to 2k3 but have to go through 2k first. It is a front end connected to 2 back ends. I currently have them in 2k. When I open the mdb it takes a little time nothing substantial. Then when I look at the FORMS or REPORTS it has changed all the create and modify dates to the current date. This doesn't help me know which ones I have finished correcting or changing or when. Why is it doing this and how can I stop it. I never saw this happen in A97 for the last 10+ years. Thanks ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. From john at winhaven.net Wed Oct 17 11:39:54 2007 From: john at winhaven.net (John Bartow) Date: Wed, 17 Oct 2007 11:39:54 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: References: <005d01c8103c$068ac8e0$6402a8c0@ScuzzPaq> Message-ID: <007601c810dc$58a95100$6402a8c0@ScuzzPaq> Yes, and you did imply such - via other analogies. :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Trying to recruit for OT? I never said that by the way.... ;) From Gustav at cactus.dk Wed Oct 17 11:48:07 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 17 Oct 2007 18:48:07 +0200 Subject: [AccessD] A2k - changes item create dates when opening Message-ID: Hi Patricia Could it be that you haven't turned AutoCorrect or -Trace (don't recall the exact word) off? /gustav >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> I am upgrading an old A97 system to 2k3 but have to go through 2k first. It is a front end connected to 2 back ends. I currently have them in 2k. When I open the mdb it takes a little time nothing substantial. Then when I look at the FORMS or REPORTS it has changed all the create and modify dates to the current date. This doesn't help me know which ones I have finished correcting or changing or when. Why is it doing this and how can I stop it. I never saw this happen in A97 for the last 10+ years. Thanks ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us From Patricia.O'Connor at otda.state.ny.us Wed Oct 17 11:58:24 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Wed, 17 Oct 2007 12:58:24 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Thought that might have something to do with it. Thank you Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Gustav Brock > Sent: Wednesday, October 17, 2007 12:48 PM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] A2k - changes item create dates when opening > > Hi Patricia > > Could it be that you haven't turned AutoCorrect or -Trace > (don't recall the exact word) off? > > /gustav > > >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> > I am upgrading an old A97 system to 2k3 but have to go > through 2k first. > It is a front end connected to 2 back ends. I currently have them in > 2k. > > When I open the mdb it takes a little time nothing substantial. > Then when I look at the FORMS or REPORTS it has changed all the create > and modify dates to the current date. This doesn't help me > know which > ones I have finished correcting or changing or when. Why is > it doing this and how can I stop it. > > I never saw this happen in A97 for the last 10+ years. > Thanks > > ************************************************** > * Patricia O'Connor > * Associate Computer Programmer Analyst > * OTDA - BDMA > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > * (w) mailto:aa1160 at nysemail.state.ny.us > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From reuben at gfconsultants.com Wed Oct 17 12:25:31 2007 From: reuben at gfconsultants.com (Reuben Cummings) Date: Wed, 17 Oct 2007 13:25:31 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: I think it's something you're going to have to deal with. A2K has done this for ever. In fact, just to check, I looked at the objects in an app I am currently working on. I have been building this app since about 2000. It was started in A2K and is still in A2K. When I get ready for some "major" revisions I always make a copy and start from there. The forms, reports, modules, and table links objects in this app are now dated 10-11-2007 unless I have worked on them since the 11th. In that case they show the proper dates. Queries and local tables keep the actual create and modify date. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of O'Connor, > Patricia (OTDA) > Sent: Wednesday, October 17, 2007 12:58 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] A2k - changes item create dates when opening > > > Thought that might have something to do with it. > Thank you > Patti > > ************************************************** > * Patricia O'Connor > * Associate Computer Programmer Analyst > * OTDA - BDMA > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > * (w) mailto:aa1160 at nysemail.state.ny.us > ************************************************** > > > > > -------------------------------------------------------- > This e-mail, including any attachments, may be confidential, > privileged or otherwise legally protected. It is intended only > for the addressee. If you received this e-mail in error or from > someone who was not authorized to send it to you, do not > disseminate, copy or otherwise use this e-mail or its > attachments. Please notify the sender immediately by reply > e-mail and delete the e-mail from your system. > > > -----Original Message----- > > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > > Gustav Brock > > Sent: Wednesday, October 17, 2007 12:48 PM > > To: accessd at databaseadvisors.com > > Subject: Re: [AccessD] A2k - changes item create dates when opening > > > > Hi Patricia > > > > Could it be that you haven't turned AutoCorrect or -Trace > > (don't recall the exact word) off? > > > > /gustav > > > > >>> Patricia.O'Connor at otda.state.ny.us 17-10-2007 18:22 >>> > > I am upgrading an old A97 system to 2k3 but have to go > > through 2k first. > > It is a front end connected to 2 back ends. I currently have them in > > 2k. > > > > When I open the mdb it takes a little time nothing substantial. > > Then when I look at the FORMS or REPORTS it has changed all the create > > and modify dates to the current date. This doesn't help me > > know which > > ones I have finished correcting or changing or when. Why is > > it doing this and how can I stop it. > > > > I never saw this happen in A97 for the last 10+ years. > > Thanks > > > > ************************************************** > > * Patricia O'Connor > > * Associate Computer Programmer Analyst > > * OTDA - BDMA > > * (W) mailto:Patricia.O'Connor at otda.state.ny.us > > * (w) mailto:aa1160 at nysemail.state.ny.us > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From DWUTKA at Marlow.com Wed Oct 17 14:33:55 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Wed, 17 Oct 2007 14:33:55 -0500 Subject: [AccessD] OT - I'll be away In-Reply-To: <007601c810dc$58a95100$6402a8c0@ScuzzPaq> Message-ID: You misunderstood then...go back an re-read the thread, to be sure you get everything in context! ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 17, 2007 11:40 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] OT - I'll be away Yes, and you did imply such - via other analogies. :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Trying to recruit for OT? I never said that by the way.... ;) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From darren at activebilling.com.au Wed Oct 17 22:02:17 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 18 Oct 2007 13:02:17 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime Message-ID: <200710180302.l9I32CB3003936@databaseadvisors.com> Hi All I am trying to drop an ADP file (That connects to SQL dB's) onto a machine that does not have full blown Access (Any flavour) Just the run time version of Access 2003 (I think it's 2003 - Anyway.) When I load my ADP the startup functions fail - that's OK - I can get around them but the ADP tells me the last SQL dB it connected to cannot be found I thought this is no big deal I will simply use my built in routine to specify another SQL dB When I click on the button I created that does this - I get an error that the App has cause an error and needs to be closed That's not good - So I try to open it holding down the shift key so I can get at the 'Connection' item in the 'File' Drop down menu This doesn't work either as it seems the dB startup doesn't recognise (or ignores) the old shift/open trick So - Does anyone know what my options are to get this thing to connect to another dB either by menu item of by the click of my button? Many thanks in advance DD From anitatiedemann at gmail.com Wed Oct 17 22:49:44 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Thu, 18 Oct 2007 13:49:44 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: <200710180302.l9I32CB3003936@databaseadvisors.com> References: <200710180302.l9I32CB3003936@databaseadvisors.com> Message-ID: Darren, I normally run a function before I ship my database to make sure that the adp has no connection string. I run this from the debug window: MakeADPConnectionless IsConnectionSet = False You should then be able to set the connection on open of the adp. This is the function I use to remove the current connection: Public Function MakeADPConnectionless() As Boolean ' Close the connection. Application.CurrentProject.CloseConnection ' Set the connection to nothing. Application.CurrentProject.OpenConnection ' Set the flag... MakeADPConnectionless = True End Function The Shift Key won't work in runtime mode. Anita From darren at activebilling.com.au Thu Oct 18 00:29:45 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 18 Oct 2007 15:29:45 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: Message-ID: <200710180529.l9I5TcnM013866@databaseadvisors.com> Hi Anita et al Thanks for the response Excellent - it got me one step closer Now I am unable to get the SQL Server properties dialogue box to come up You know the one - http://www.blueclaw-db.com/website_database_connections/udl.gif Even when I Include a tool bar with the "File | Connection" item from the FILE tool bar I can see the tool bar I added - but when I click It nothing happens - no dialogue at all I have even set up a Macro (RunCommand | ConnectDatabase) still won't work I even set it up to work via code - Still no joy Any reason why that dialogue will appear in full blown access but not in the runtime? It all hangs on this little bit - If I can get that Dialogue to appear - I think it will be deliverable Darren ----------------- T: 1300 301 731 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Thursday, 18 October 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime Darren, I normally run a function before I ship my database to make sure that the adp has no connection string. I run this from the debug window: MakeADPConnectionless IsConnectionSet = False You should then be able to set the connection on open of the adp. This is the function I use to remove the current connection: Public Function MakeADPConnectionless() As Boolean ' Close the connection. Application.CurrentProject.CloseConnection ' Set the connection to nothing. Application.CurrentProject.OpenConnection ' Set the flag... MakeADPConnectionless = True End Function The Shift Key won't work in runtime mode. Anita -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From anitatiedemann at gmail.com Thu Oct 18 01:30:23 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Thu, 18 Oct 2007 16:30:23 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: <200710180529.l9I5TcnM013866@databaseadvisors.com> References: <200710180529.l9I5TcnM013866@databaseadvisors.com> Message-ID: Darren, Call this function when your adp opens (it will set the connection for you without using the dialog) - it will only attempt to set the connection if is is not already set, which is why I clear the connection before I give the users a new adp: Public Function RunConnection() As Boolean Dim sUID As String Dim sPWD As String Dim sServerName As String Dim sDatabaseName As String If IsConnectionSet = True Then RunConnection = True Exit Function End If sUID = "UserID" sPWD = "Password" sServerName = "ServerName" sDatabaseName = "DBName" ' ' Clear the current connection ' MakeADPConnectionless ' Make a new connection and connect this adp to new database. ' sConnectionString = "PROVIDER=SQLOLEDB.1;PASSWORD=" & sPWD & _ ";PERSIST SECURITY INFO=TRUE;USER ID=" & sUID & _ ";INITIAL CATALOG=" & sDatabaseName & _ ";DATA SOURCE=" & sServerName Application.CurrentProject.OpenConnection sConnectionString RunConnection = True IsConnectionSet = True End Function On 10/18/07, Darren D wrote: > > Hi Anita et al > > Thanks for the response > > Excellent - it got me one step closer > > Now I am unable to get the SQL Server properties dialogue box to come up > > You know the one - > http://www.blueclaw-db.com/website_database_connections/udl.gif > > Even when I Include a tool bar with the "File | Connection" item from the > FILE > tool bar > > I can see the tool bar I added - but when I click It nothing happens - no > dialogue at all > > I have even set up a Macro (RunCommand | ConnectDatabase) still won't work > > I even set it up to work via code - Still no joy > > Any reason why that dialogue will appear in full blown access but not in > the > runtime? > > It all hangs on this little bit - If I can get that Dialogue to appear - I > think > it will be deliverable > > Darren > ----------------- > T: 1300 301 731 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Thursday, 18 October 2007 1:50 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime > > Darren, > I normally run a function before I ship my database to make sure that the > adp has no connection string. I run this from the debug window: > MakeADPConnectionless > IsConnectionSet = False > > You should then be able to set the connection on open of the adp. > > This is the function I use to remove the current connection: > > Public Function MakeADPConnectionless() As Boolean > ' Close the connection. > Application.CurrentProject.CloseConnection > > ' Set the connection to nothing. > Application.CurrentProject.OpenConnection > > ' Set the flag... > MakeADPConnectionless = True > End Function > > The Shift Key won't work in runtime mode. > > Anita > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Thu Oct 18 07:55:37 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 18 Oct 2007 13:55:37 +0100 Subject: [AccessD] Attention UK developers Message-ID: <20071018125542.613AC4E7A0@smtp.nildram.co.uk> For the past few years I've been developing a large ERP-style Access app for a company in Peterborough. This company has recently been taken over and whilst the new owners like and value the app they do not like feeling so exposed on the support front, i.e. what happens if I go under a bus or, more prosaically, when I go on holiday. Reasonable enough really. I've therefore been tasked with finding a software house who will spend a few days with me to understand as much as practically possible about the system and then will act as second-line support when I'm unavailable. Does anyone out there in the UK a) have any interest in taking this on, and b) have any experience of similar operations for other systems? Reasonable proximity to Peterborough would be a big advantage, but if not then preparedness to travel here as and when necessary would I'm sure be acceptable. Any interested parties please email me off-list at andy at minstersystems.co.uk . Cheers -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 From darren at activebilling.com.au Fri Oct 19 00:31:04 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 19 Oct 2007 15:31:04 +1000 Subject: [AccessD] Access Data Project (ADP) and Access Runtime In-Reply-To: Message-ID: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Hi Anita Perfect - well done and many thanks - ready for deployment Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Thursday, 18 October 2007 4:30 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime Darren, Call this function when your adp opens (it will set the connection for you without using the dialog) - it will only attempt to set the connection if is is not already set, which is why I clear the connection before I give the users a new adp: Public Function RunConnection() As Boolean Dim sUID As String Dim sPWD As String Dim sServerName As String Dim sDatabaseName As String If IsConnectionSet = True Then RunConnection = True Exit Function End If sUID = "UserID" sPWD = "Password" sServerName = "ServerName" sDatabaseName = "DBName" ' ' Clear the current connection ' MakeADPConnectionless ' Make a new connection and connect this adp to new database. ' sConnectionString = "PROVIDER=SQLOLEDB.1;PASSWORD=" & sPWD & _ ";PERSIST SECURITY INFO=TRUE;USER ID=" & sUID & _ ";INITIAL CATALOG=" & sDatabaseName & _ ";DATA SOURCE=" & sServerName Application.CurrentProject.OpenConnection sConnectionString RunConnection = True IsConnectionSet = True End Function On 10/18/07, Darren D wrote: > > Hi Anita et al > > Thanks for the response > > Excellent - it got me one step closer > > Now I am unable to get the SQL Server properties dialogue box to come up > > You know the one - > http://www.blueclaw-db.com/website_database_connections/udl.gif > > Even when I Include a tool bar with the "File | Connection" item from the > FILE > tool bar > > I can see the tool bar I added - but when I click It nothing happens - no > dialogue at all > > I have even set up a Macro (RunCommand | ConnectDatabase) still won't work > > I even set it up to work via code - Still no joy > > Any reason why that dialogue will appear in full blown access but not in > the > runtime? > > It all hangs on this little bit - If I can get that Dialogue to appear - I > think > it will be deliverable > > Darren > ----------------- > T: 1300 301 731 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Thursday, 18 October 2007 1:50 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Access Data Project (ADP) and Access Runtime > > Darren, > I normally run a function before I ship my database to make sure that the > adp has no connection string. I run this from the debug window: > MakeADPConnectionless > IsConnectionSet = False > > You should then be able to set the connection on open of the adp. > > This is the function I use to remove the current connection: > > Public Function MakeADPConnectionless() As Boolean > ' Close the connection. > Application.CurrentProject.CloseConnection > > ' Set the connection to nothing. > Application.CurrentProject.OpenConnection > > ' Set the flag... > MakeADPConnectionless = True > End Function > > The Shift Key won't work in runtime mode. > > Anita > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From joeo at appoli.com Fri Oct 19 07:09:32 2007 From: joeo at appoli.com (Joe O'Connell) Date: Fri, 19 Oct 2007 08:09:32 -0400 Subject: [AccessD] Storing English and Spanish text References: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Message-ID: A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell From rockysmolin at bchacc.com Fri Oct 19 08:08:35 2007 From: rockysmolin at bchacc.com (rockysmolin at bchacc.com) Date: Fri, 19 Oct 2007 09:08:35 -0400 Subject: [AccessD] Storing English and Spanish text Message-ID: <380-220071051913835333@M2W021.mail2web.com> Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com ? Enhanced email for the mobile individual based on Microsoft? Exchange - http://link.mail2web.com/Personal/EnhancedEmail From joeo at appoli.com Fri Oct 19 08:16:25 2007 From: joeo at appoli.com (Joe O'Connell) Date: Fri, 19 Oct 2007 09:16:25 -0400 Subject: [AccessD] Storing English and Spanish text References: <380-220071051913835333@M2W021.mail2web.com> Message-ID: Thanks Rocky. Do you know how to change the keyboard to Spanish? Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of rockysmolin at bchacc.com Sent: Friday, October 19, 2007 9:09 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com - Enhanced email for the mobile individual based on Microsoft(r) Exchange - http://link.mail2web.com/Personal/EnhancedEmail -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 19 08:05:40 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 19 Oct 2007 09:05:40 -0400 Subject: [AccessD] Storing English and Spanish text References: <200710190531.l9J5Uw7b021294@databaseadvisors.com> Message-ID: <008801c81251$ec361f40$4b3a8343@SusanOne> Rocky has an app with multiple languages and we even wrote about it. If I can find the article still on my hard drive, I'll send it to you privately. Susan H. >A new application has two memo fields in a table. One will store only > English text, and the other will store only Spanish text. There is no > need to mix languages in either memo field. I have never worked with > two languages before. Has anyone else done this? Any hints, tips or > snags to be avoided? > From rockysmolin at bchacc.com Fri Oct 19 08:39:24 2007 From: rockysmolin at bchacc.com (rockysmolin at bchacc.com) Date: Fri, 19 Oct 2007 09:39:24 -0400 Subject: [AccessD] Storing English and Spanish text Message-ID: <380-220071051913392470@M2W017.mail2web.com> Never done that Joe. It's controlled by WIndows so I'm guessing that it's probably an API call. Someone here will know, though. ROcky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 09:16:25 -0400 To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Thanks Rocky. Do you know how to change the keyboard to Spanish? Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of rockysmolin at bchacc.com Sent: Friday, October 19, 2007 9:09 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Storing English and Spanish text Joe: I set up an application to support multiple languages through tables but that's for the static labels and command button captions. As you describe it, I don't think you have to do anything to your program. What goes into the two memo fields is up to the user. So it's transparent to your program what they're putting in there. What kind of problems are you anticipating? The only thing I can think of that might be a convenience for the user is, when the Spanish memo field gets the focus, you change the keyboard to Spanish so they get the accents and tilde - stuff specific to the SPanish language keyboard. When it loses the focus, change the keyboard back to English. Regards, Rocky Original Message: ----------------- From: Joe O'Connell joeo at appoli.com Date: Fri, 19 Oct 2007 08:09:32 -0400 To: accessd at databaseadvisors.com Subject: [AccessD] Storing English and Spanish text A new application has two memo fields in a table. One will store only English text, and the other will store only Spanish text. There is no need to mix languages in either memo field. I have never worked with two languages before. Has anyone else done this? Any hints, tips or snags to be avoided? Joe O'Connell -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web.com - Enhanced email for the mobile individual based on Microsoft(r) Exchange - http://link.mail2web.com/Personal/EnhancedEmail -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -------------------------------------------------------------------- mail2web LIVE ? Free email based on Microsoft? Exchange technology - http://link.mail2web.com/LIVE From Jim.Hale at FleetPride.com Fri Oct 19 09:11:35 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 19 Oct 2007 09:11:35 -0500 Subject: [AccessD] OT: Friday Humor - When Insults Had Class Message-ID: When insults had class "He has all the virtues I dislike and none of the vices I admire." -- Winston Churchill "A modest little person, with much to be modest about." -- Winston Churchill "I have never killed a man, but I have read many obituaries with great pleasure." -- Clarence Darrow "He has never been known to use a word that might send a reader to the dictionary." -- William Faulkner (about Ernest Hemingway) "Poor Faulkner. Does he really think big emotions come from big words?" -- Ernest Hemingway (about William Faulkner) "Thank you for sending me a copy of your book; I'll waste no time reading it." -- Moses Hadas "He can compress the most words into the smallest idea of any man I know." -- Abraham Lincoln "I've had a perfectly wonderful evening. But this wasn't it." -- Groucho Marx "I didn't attend the funeral, but I sent a nice letter saying I approved of it." -- Mark Twain "He has no enemies, but is intensely disliked by his friends." -- Oscar Wilde "I am enclosing two tickets to the first night of my new play, bring a friend... if you have one." -- George Bernard Shaw to Winston Churchill "Cannot possibly attend first night, will attend second... if there is one." -- Winston Churchill, in response "I feel so miserable without you, it's almost like having you here." -- Stephen Bishop "He is a self-made man and worships his creator." -- John Bright "I've just learned about his illness. Let's hope it's nothing trivial." -- Irvin S. Cobb "He is not only dull himself, he is the cause of dullness in others." -- Samuel Johnson "He is simply a shiver looking for a spine to run up." -- Paul Keating "He had delusions of adequacy." -- Walter Kerr "There's nothing wrong with you that reincarnation won't cure." -- Jack E. Leonard "He has the attention span of a lightning bolt." -- Robert Redford "They never open their mouths without subtracting from the sum of human knowledge." -- Thomas Brackett Reed "He inherited some good instincts from his Quaker forebears, but by diligent hard work, he overcame them." -- James Reston (about Richard Nixon) "In order to avoid being called a flirt, she always yielded easily." -- Charles, Count Talleyrand "He loves nature in spite of what it did to him." -- Forrest Tucker "Why do you sit there looking like an envelope without any address on it?" -- Mark Twain "His mother should have thrown him away and kept the stork." -- Mae West "Some cause happiness wherever they go; others, whenever they go." -- Oscar Wilde "He uses statistics as a drunken man uses lamp-posts... for support rather than illumination." -- Andrew Lang (1844-1912) "He has Van Gogh's ear for music." -- Billy Wilder *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Patricia.O'Connor at otda.state.ny.us Fri Oct 19 09:27:02 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 19 Oct 2007 10:27:02 -0400 Subject: [AccessD] A2k - changes item create dates when opening In-Reply-To: References: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB063@EXCNYSM0A1AI.nysemail.nyenet> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB069@EXCNYSM0A1AI.nysemail.nyenet> Thank you all I did uncheck AutoCorrect and trace. When I opened it today it kept the last date. It also seemed to open quicker without going into a trance Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Reuben Cummings > Sent: Wednesday, October 17, 2007 01:26 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] A2k - changes item create dates when opening > > I think it's something you're going to have to deal with. > > A2K has done this for ever. In fact, just to check, I looked > at the objects in an app I am currently working on. I have > been building this app since about 2000. It was started in > A2K and is still in A2K. When I get ready for some "major" > revisions I always make a copy and start from there. > > The forms, reports, modules, and table links objects in this > app are now dated 10-11-2007 unless I have worked on them > since the 11th. In that case they show the proper dates. > > Queries and local tables keep the actual create and modify date. > > Reuben Cummings > GFC, LLC > 812.523.1017 > > From fuller.artful at gmail.com Fri Oct 19 11:11:24 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:11:24 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: References: Message-ID: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur From jwcolby at colbyconsulting.com Fri Oct 19 11:24:21 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 19 Oct 2007 12:24:21 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: <001701c8126c$82217da0$647aa8c0@M90> Is that one of yours? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 12:11 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:32:52 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:32:52 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <001701c8126c$82217da0$647aa8c0@M90> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> <001701c8126c$82217da0$647aa8c0@M90> Message-ID: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> Yes. On 10/19/07, jwcolby wrote: > > Is that one of yours? > > ;-) > From max.wanadoo at gmail.com Fri Oct 19 11:42:23 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 17:42:23 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> Message-ID: <009001c8126f$082484e0$8119fea9@LTVM> What is TCP divided by PI? Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Yes. On 10/19/07, jwcolby wrote: > > Is that one of yours? > > ;-) > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:47:44 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:47:44 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <009001c8126f$082484e0$8119fea9@LTVM> References: <29f585dd0710190932j41a3c65bn1336110a31727e4a@mail.gmail.com> <009001c8126f$082484e0$8119fea9@LTVM> Message-ID: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> Seven. On 10/19/07, max.wanadoo at gmail.com wrote: > > What is TCP divided by PI? > Max > From max.wanadoo at gmail.com Fri Oct 19 11:53:25 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 17:53:25 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> Message-ID: <009401c81270$9d9f2970$8119fea9@LTVM> How di you arrive at that answer? Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:48 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Seven. On 10/19/07, max.wanadoo at gmail.com wrote: > > What is TCP divided by PI? > Max > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 19 11:59:16 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 19 Oct 2007 12:59:16 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <009401c81270$9d9f2970$8119fea9@LTVM> References: <29f585dd0710190947n11fcd198qf320539533ad7e36@mail.gmail.com> <009401c81270$9d9f2970$8119fea9@LTVM> Message-ID: <29f585dd0710190959t21a5c89dk7e0bbc9149c186d1@mail.gmail.com> I could tell you but then I'd have to kill you. On 10/19/07, max.wanadoo at gmail.com wrote: > > How di you arrive at that answer? > Max > From max.wanadoo at gmail.com Fri Oct 19 12:13:08 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 19 Oct 2007 18:13:08 +0100 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190959t21a5c89dk7e0bbc9149c186d1@mail.gmail.com> Message-ID: <009c01c81273$566b22e0$8119fea9@LTVM> No, serious. Intel are running a competition and I need the answer to open the safe. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 5:59 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class I could tell you but then I'd have to kill you. On 10/19/07, max.wanadoo at gmail.com wrote: > > How di you arrive at that answer? > Max > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 19 13:19:19 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 19 Oct 2007 13:19:19 -0500 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: I forgot one of my favorites: "God in His infinite wisdom brought these two people together so that two people instead of four would be miserable." -anon Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Fri Oct 19 13:33:11 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 19 Oct 2007 14:33:11 -0400 Subject: [AccessD] OT: Friday Humor - When Insults Had Class In-Reply-To: References: <29f585dd0710190911kd25fe0esea1a3aced21a22fe@mail.gmail.com> Message-ID: <001b01c8127e$818119c0$647aa8c0@M90> And then in his infinite wisdom, he had them read Arthur's book to concentrate the misery even further. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Friday, October 19, 2007 2:19 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class I forgot one of my favorites: "God in His infinite wisdom brought these two people together so that two people instead of four would be miserable." -anon Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Friday, October 19, 2007 11:11 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] OT: Friday Humor - When Insults Had Class Only one more to add, that readily comes to mind: "This is a book not to be put lightly aside, but rather flung, with great vigor." Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From kp at sdsonline.net Sat Oct 20 00:22:31 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Sat, 20 Oct 2007 15:22:31 +1000 Subject: [AccessD] Access 2007 menus Message-ID: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Struggling a bit to get an app ready for distribution in 2007. >From what I have read from posts to our list and on msdn and web, I cannot 'remove' the Office Fluent Ribbon, and I can not have menus. When I import menus from otehr databases, they appear under the 'Add Ins' area which is a bit unfriendly for a client. What I want is for certain forms and reports to use specific menus. I am wondering how everyone else is handling this........ I tried customising the QAT for 'this database only' - i thought that might be the way to go, but then this database gets all of the options which were already there (for all databases) and the new ones I have added. I know there are some ways to play with the Nav Pane - but has anyone found anything which is simple / looks good? And how do I disable the shift key in 07? tia Kath ______________________________________ Kath Pelletti From Mwp.Reid at qub.ac.uk Sat Oct 20 05:30:34 2007 From: Mwp.Reid at qub.ac.uk (Martin W Reid) Date: Sat, 20 Oct 2007 11:30:34 +0100 Subject: [AccessD] Access 2007 menus In-Reply-To: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> References: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Message-ID: Kath Interesting example at http://www.pdtltd.co.uk/pdtl/technicalresources.htm RE The ribbon. You can create your own ribbons and associate them with forms and reports etc just as normal. Takes some XML etc to do this but nothing major. I covered this in Pro Access 2007. Watch the wrap here http://www.microsoft.com/downloads/details.aspx?familyid=291704cb-655a-491f-8089-566be7d2e9b0&displaylang=en good developer tool for this from http://pschmid.net/index.php I helped the beta on this and it makes sth eentire ribbon customisation fairly painless. http://blogs.msdn.com/access/archive/2006/07/13/customizing-the-new-access-ui.aspx Some good tips here re Access 2007 and users http://allenbrowne.com/ser-69.html Martin Martin WP Reid Information Services Queen's University Riddel Hall 185 Stranmillis Road Belfast BT9 5EE Tel : 02890974465 Email : mwp.reid at qub.ac.uk From kp at sdsonline.net Sat Oct 20 18:37:33 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Sun, 21 Oct 2007 09:37:33 +1000 Subject: [AccessD] Access 2007 menus References: <000a01c812d9$383f39d0$6701a8c0@DELLAPTOP> Message-ID: <001f01c81372$310ec470$6701a8c0@DELLAPTOP> thanks so much for those links Martin - Kath ----- Original Message ----- From: "Martin W Reid" To: "Access Developers discussion and problem solving" Sent: Saturday, October 20, 2007 8:30 PM Subject: Re: [AccessD] Access 2007 menus > Kath > > Interesting example at http://www.pdtltd.co.uk/pdtl/technicalresources.htm > RE The ribbon. You can create your own ribbons and associate them with > forms and reports etc just as normal. Takes some XML etc to do this but > nothing major. I covered this in Pro Access 2007. > > Watch the wrap here > > http://www.microsoft.com/downloads/details.aspx?familyid=291704cb-655a-491f-8089-566be7d2e9b0&displaylang=en > > good developer tool for this from > http://pschmid.net/index.php > > I helped the beta on this and it makes sth eentire ribbon customisation > fairly painless. > > http://blogs.msdn.com/access/archive/2006/07/13/customizing-the-new-access-ui.aspx > > Some good tips here re Access 2007 and users > > http://allenbrowne.com/ser-69.html > > > Martin > > > Martin WP Reid > Information Services > Queen's University > Riddel Hall > 185 Stranmillis Road > Belfast > BT9 5EE > Tel : 02890974465 > Email : mwp.reid at qub.ac.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Sun Oct 21 01:42:56 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Sun, 21 Oct 2007 07:42:56 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <20071018125542.613AC4E7A0@smtp.nildram.co.uk> Message-ID: <024b01c813ad$9d514c80$e149d355@minster33c3r25> Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style > Access app for a company in Peterborough. This company has > recently been taken over and whilst the new owners like and > value the app they do not like feeling so exposed on the > support front, i.e. what happens if I go under a bus or, more > prosaically, when I go on holiday. Reasonable enough really. > I've therefore been tasked with finding a software house who > will spend a few days with me to understand as much as > practically possible about the system and then will act as > second-line support when I'm unavailable. Does anyone out > there in the UK a) have any interest in taking this on, and > b) have any experience of similar operations for other > systems? Reasonable proximity to Peterborough would be a big > advantage, but if not then preparedness to travel here as and > when necessary would I'm sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From accessd at shaw.ca Sun Oct 21 07:32:08 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Sun, 21 Oct 2007 05:32:08 -0700 Subject: [AccessD] Attention UK developers In-Reply-To: <024b01c813ad$9d514c80$e149d355@minster33c3r25> Message-ID: <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> If you went a little more global than the UK you would get a better response. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Saturday, October 20, 2007 11:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style > Access app for a company in Peterborough. This company has > recently been taken over and whilst the new owners like and > value the app they do not like feeling so exposed on the > support front, i.e. what happens if I go under a bus or, more > prosaically, when I go on holiday. Reasonable enough really. > I've therefore been tasked with finding a software house who > will spend a few days with me to understand as much as > practically possible about the system and then will act as > second-line support when I'm unavailable. Does anyone out > there in the UK a) have any interest in taking this on, and > b) have any experience of similar operations for other > systems? Reasonable proximity to Peterborough would be a big > advantage, but if not then preparedness to travel here as and > when necessary would I'm sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Sun Oct 21 10:25:19 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 21 Oct 2007 11:25:19 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25> <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> Message-ID: <001701c813f6$979ed2f0$647aa8c0@M90> Apparently the company wants or needs them to come onsite. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Sunday, October 21, 2007 8:32 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers If you went a little more global than the UK you would get a better response. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Saturday, October 20, 2007 11:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Ok, no takers. So, next question is can anyone suggest a UK outfit who would be interested (and are good)? -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: 18 October 2007 13:56 > To: Dba > Subject: [AccessD] Attention UK developers > > > For the past few years I've been developing a large ERP-style Access > app for a company in Peterborough. This company has recently been > taken over and whilst the new owners like and value the app they do > not like feeling so exposed on the support front, i.e. what happens if > I go under a bus or, more prosaically, when I go on holiday. > Reasonable enough really. > I've therefore been tasked with finding a software house who will > spend a few days with me to understand as much as practically possible > about the system and then will act as second-line support when I'm > unavailable. Does anyone out there in the UK a) have any interest in > taking this on, and > b) have any experience of similar operations for other systems? > Reasonable proximity to Peterborough would be a big advantage, but if > not then preparedness to travel here as and when necessary would I'm > sure be acceptable. > > Any interested parties please email me off-list at > andy at minstersystems.co.uk . > > Cheers > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Sun Oct 21 11:40:53 2007 From: john at winhaven.net (John Bartow) Date: Sun, 21 Oct 2007 11:40:53 -0500 Subject: [AccessD] Attention UK developers In-Reply-To: <001701c813f6$979ed2f0$647aa8c0@M90> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25><063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> <001701c813f6$979ed2f0$647aa8c0@M90> Message-ID: <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> Great excuse to travel and be able to write it off as a business expense :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Sunday, October 21, 2007 10:25 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Apparently the company wants or needs them to come onsite. From rockysmolin at bchacc.com Sun Oct 21 11:48:56 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 09:48:56 -0700 Subject: [AccessD] Turn Off Menu Bar Message-ID: <002301c81402$45499740$0301a8c0@HAL9005> Dear List: In A2K I turned off the standard menu bar by changing the MenuBar property of the database to False. This property doesn't seem to be present in A2K3. How do I turn off the menu bar? MTIA Rocky From fuller.artful at gmail.com Sun Oct 21 11:59:00 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sun, 21 Oct 2007 12:59:00 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> References: <024b01c813ad$9d514c80$e149d355@minster33c3r25> <063B9915FD1F469889EC8018F3312CCF@creativesystemdesigns.com> <001701c813f6$979ed2f0$647aa8c0@M90> <02c401c81401$2909cc90$6402a8c0@ScuzzPaq> Message-ID: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> I was thinking exactly the same thing, John! And with the CDN dollar soaring past its American counterpart, it's no doubt cheaper to fly from here to Peterborough. A. On 10/21/07, John Bartow wrote: > > Great excuse to travel and be able to write it off as a business expense > :o) > From fuller.artful at gmail.com Sun Oct 21 12:15:42 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Sun, 21 Oct 2007 13:15:42 -0400 Subject: [AccessD] A Problem with Static Functions Message-ID: <29f585dd0710211015i47097d9ei2b873074d559fcb3@mail.gmail.com> As regulars here well know, I'm a big fan of static functions. But I recently came across a situation in which the conventional use of statics didn't work, because they hide the value of interest within themselves, so two static functions cannot share a single value. This concerns an implementation of PushDir and PopDir. I ended up writing it like this. I invite revisions. Option Compare Database Option Explicit Global DirName_glb As String Sub PushD() DirName_glb = CurDir Debug.Print "Current Directory: " & DirName_glb End Sub Sub PopD() ChDir DirName_glb Debug.Print "Back to Directory: " & DirName_glb End Sub Sub TestPushPop() PushD ChDir "c:\Apps" Debug.Print "New directory: " & CurDir PopD End Sub TIA, Arthur From rockysmolin at bchacc.com Sun Oct 21 17:38:58 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 15:38:58 -0700 Subject: [AccessD] Colby's Error Handler Builder Message-ID: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> John: I used your Error Handler to make error traps for all the modules in E-Z-MRP. Worked really slick. I'm trying to do the same for another app and I thought I imported all of the necessary stuff but I'm getting a compile error in the new app C2DbErrHndlrBldr, module ccFillUsrProc, line: Case vbext_pk_Get The error is variable not defined. I can't figure out what I'm missing. Is it DIMmed in another module? Or is it a constant my new app's not seeing? E-Z-MRP compiles OK so I know the new app is missing something. Do you know what it might be? Thanks and regards, Rocky From anitatiedemann at gmail.com Sun Oct 21 22:11:49 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Mon, 22 Oct 2007 13:11:49 +1000 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: <002301c81402$45499740$0301a8c0@HAL9005> References: <002301c81402$45499740$0301a8c0@HAL9005> Message-ID: Rodky, Try DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > > Dear List: > > In A2K I turned off the standard menu bar by changing the MenuBar property > of the database to False. This property doesn't seem to be present in > A2K3. > How do I turn off the menu bar? > > MTIA > > Rocky > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Sun Oct 21 23:24:22 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 21 Oct 2007 21:24:22 -0700 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: References: <002301c81402$45499740$0301a8c0@HAL9005> Message-ID: <008f01c81463$6c22b1b0$0301a8c0@HAL9005> I ended up discovering a command somewhere on the web which seems to work: Application.CommandBars("menu bar").Enabled = False Is the DoCmd a better approach? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith Sent: Sunday, October 21, 2007 8:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Turn Off Menu Bar Rodky, Try DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > > Dear List: > > In A2K I turned off the standard menu bar by changing the MenuBar > property of the database to False. This property doesn't seem to be > present in A2K3. > How do I turn off the menu bar? > > MTIA > > Rocky > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: 10/21/2007 3:09 PM From anitatiedemann at gmail.com Mon Oct 22 00:01:48 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Mon, 22 Oct 2007 15:01:48 +1000 Subject: [AccessD] Turn Off Menu Bar In-Reply-To: <008f01c81463$6c22b1b0$0301a8c0@HAL9005> References: <002301c81402$45499740$0301a8c0@HAL9005> <008f01c81463$6c22b1b0$0301a8c0@HAL9005> Message-ID: I don't know which is better. I never knew of the other method - thanks it might come in handy. On 10/22/07, Rocky Smolin at Beach Access Software wrote: > > I ended up discovering a command somewhere on the web which seems to work: > > Application.CommandBars("menu bar").Enabled = False > > Is the DoCmd a better approach? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: Sunday, October 21, 2007 8:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Turn Off Menu Bar > > Rodky, > Try > DoCmd.ShowToolbar "Menu Bar", acToolbarNo Anita > > > On 10/22/07, Rocky Smolin at Beach Access Software > > wrote: > > > > > > Dear List: > > > > In A2K I turned off the standard menu bar by changing the MenuBar > > property of the database to False. This property doesn't seem to be > > present in A2K3. > > How do I turn off the menu bar? > > > > MTIA > > > > Rocky > > > > > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: > 10/21/2007 > 3:09 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Mon Oct 22 02:12:45 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 22 Oct 2007 08:12:45 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> Message-ID: <028b01c8147a$f1d7b370$e149d355@minster33c3r25> Bit of a practicality issue there guys. If I'm off for a day and system crashes that day....... The response that you'll be on tonight's red-eye wouldn't go down great. Seriously though I'm disappointed that I've had interest from your side of the pond but no-one over here. Shame. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Arthur Fuller > Sent: 21 October 2007 17:59 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Attention UK developers > > > I was thinking exactly the same thing, John! And with the CDN > dollar soaring past its American counterpart, it's no doubt > cheaper to fly from here to Peterborough. > > A. > > On 10/21/07, John Bartow wrote: > > > > Great excuse to travel and be able to write it off as a business > > expense > > :o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From carbonnb at gmail.com Mon Oct 22 08:13:06 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Mon, 22 Oct 2007 09:13:06 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> Message-ID: On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all of > the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm missing. Is > it DIMmed in another module? Or is it a constant my new app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Mon Oct 22 08:35:20 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 09:35:20 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> Message-ID: <003301c814b0$64ce9940$647aa8c0@M90> It would be much easier to just download the new VB6 version from our website. Register than, close then reopen the FE. It is immediately available as a toolbar IIRC. You will need to first click the "setup" button of the toolbar and select the options you want and then you can start using it. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Monday, October 22, 2007 9:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Colby's Error Handler Builder On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all > of the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm > missing. Is it DIMmed in another module? Or is it a constant my new app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 22 08:44:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 09:44:10 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <028b01c8147a$f1d7b370$e149d355@minster33c3r25> References: <29f585dd0710210959k1ee17690te38679afa4f0df2b@mail.gmail.com> <028b01c8147a$f1d7b370$e149d355@minster33c3r25> Message-ID: <003401c814b1$a088dcb0$647aa8c0@M90> Is the site available through remote desktop? That makes maintenance from afar much more practical, and opens up your options. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 22, 2007 3:13 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Bit of a practicality issue there guys. If I'm off for a day and system crashes that day....... The response that you'll be on tonight's red-eye wouldn't go down great. Seriously though I'm disappointed that I've had interest from your side of the pond but no-one over here. Shame. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 21 October 2007 17:59 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Attention UK developers > > > I was thinking exactly the same thing, John! And with the CDN dollar > soaring past its American counterpart, it's no doubt cheaper to fly > from here to Peterborough. > > A. > > On 10/21/07, John Bartow wrote: > > > > Great excuse to travel and be able to write it off as a business > > expense > > :o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 22 10:02:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 22 Oct 2007 08:02:13 -0700 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <003301c814b0$64ce9940$647aa8c0@M90> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005> <003301c814b0$64ce9940$647aa8c0@M90> Message-ID: <003101c814bc$87a984a0$0301a8c0@HAL9005> Thanks. I'm already registered. Will do that. VB6 version is an add-on? dll? compatible with Access I assume. Through 2007? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 22, 2007 6:35 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Colby's Error Handler Builder It would be much easier to just download the new VB6 version from our website. Register than, close then reopen the FE. It is immediately available as a toolbar IIRC. You will need to first click the "setup" button of the toolbar and select the options you want and then you can start using it. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Monday, October 22, 2007 9:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Colby's Error Handler Builder On 10/21/07, Rocky Smolin at Beach Access Software wrote: > John: > > I used your Error Handler to make error traps for all the modules in > E-Z-MRP. Worked really slick. > > I'm trying to do the same for another app and I thought I imported all > of the necessary stuff but I'm getting a compile error in the new app > C2DbErrHndlrBldr, module ccFillUsrProc, line: > > Case vbext_pk_Get > > The error is variable not defined. I can't figure out what I'm > missing. Is it DIMmed in another module? Or is it a constant my new > app's not seeing? > E-Z-MRP compiles OK so I know the new app is missing something. > > Do you know what it might be? You need to set a reference to Visual Basic for Application Extensibility Library. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.488 / Virus Database: 269.15.5/1084 - Release Date: 10/21/2007 3:09 PM From jwcolby at colbyconsulting.com Mon Oct 22 11:11:47 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 12:11:47 -0400 Subject: [AccessD] Colby's Error Handler Builder In-Reply-To: <003101c814bc$87a984a0$0301a8c0@HAL9005> References: <005801c81433$2c0a9dc0$0301a8c0@HAL9005><003301c814b0$64ce9940$647aa8c0@M90> <003101c814bc$87a984a0$0301a8c0@HAL9005> Message-ID: <000001c814c6$400b4660$647aa8c0@M90> The new version is a DLL I believe. When I said "register" I meant the DLL. There is a "how to use this" text file in the zip with the dll. You register the dll. It is then usable with ALL of the office applications that use the VBA editor, from inside of the VBA editor. IOW you can use it to insert error handlers in modules in Word, Excel, PowerPoint and of course Access. The only thing to be aware of is that it will complain IF: You open TWO office applications BEFORE attempting to use the error handler. Essentially it cannot discover which application to hook into. If however you open some application, let's say Word, then open a module in Word and insert an error handler in any function in Word, and then you open Excel, you will be able to continue to insert error handlers in Word, but you will not be able to insert error handlers in Excel or in fact in any Office application opened after the first. This is also the case (and more confusing) if you open two instances of Access. So the rule is, open the application that you want to insert an error handler in. Insert an error handler in any function. Open any other Office application as desired. You will still be able to insert error handlers in that first application. IF you happen to open two Office applications and then want to insert an error handler IN EITHER ONE OF THEM, you must close all but the one you want to insert error handlers in, insert at least one error handler in that application, and then you may open any Office application you wish and still insert error handlers in that first application. It appears that the error handler insertion wizard "hooks into" one and only one instance of any Office application (specifically the editor), and if there are more than one Office applications open before you try to use it, it cannot figure out which to hook into. Other than that it works wonderfully, and does not require a reference to the VBE IDE library as the "native" version did. BTW I did not port this to VB6 and I do not even have the source at my finger tips, though I may be able to dig it up. Let me know if you have any problems. NO IDEA whether it works with 2007. It does work with 2003 and previous. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 22, 2007 11:02 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Colby's Error Handler Builder Thanks. I'm already registered. Will do that. VB6 version is an add-on? dll? compatible with Access I assume. Through 2007? Rocky From andy at minstersystems.co.uk Mon Oct 22 13:23:03 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Mon, 22 Oct 2007 19:23:03 +0100 Subject: [AccessD] Attention UK developers In-Reply-To: <003401c814b1$a088dcb0$647aa8c0@M90> Message-ID: <02d201c814d8$962a1190$e149d355@minster33c3r25> Tis a thought you're right JC, thanks. It's not at the moment but I'll enquire about the possibilty. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: 22 October 2007 14:44 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > > Is the site available through remote desktop? That makes > maintenance from afar much more practical, and opens up your options. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Monday, October 22, 2007 3:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > Bit of a practicality issue there guys. If I'm off for a day > and system crashes that day....... The response that you'll > be on tonight's red-eye wouldn't go down great. Seriously > though I'm disappointed that I've had interest from your side > of the pond but no-one over here. Shame. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > > Fuller > > Sent: 21 October 2007 17:59 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Attention UK developers > > > > > > I was thinking exactly the same thing, John! And with the CDN dollar > > soaring past its American counterpart, it's no doubt cheaper to fly > > from here to Peterborough. > > > > A. > > > > On 10/21/07, John Bartow wrote: > > > > > > Great excuse to travel and be able to write it off as a business > > > expense > > > :o) > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From jwcolby at colbyconsulting.com Mon Oct 22 13:36:35 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 22 Oct 2007 14:36:35 -0400 Subject: [AccessD] Attention UK developers In-Reply-To: <02d201c814d8$962a1190$e149d355@minster33c3r25> References: <003401c814b1$a088dcb0$647aa8c0@M90> <02d201c814d8$962a1190$e149d355@minster33c3r25> Message-ID: <000a01c814da$7a5d73b0$647aa8c0@M90> LOL. Also makes YOUR maintenance from afar much more practical. ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Monday, October 22, 2007 2:23 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Attention UK developers Tis a thought you're right JC, thanks. It's not at the moment but I'll enquire about the possibilty. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: 22 October 2007 14:44 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > > Is the site available through remote desktop? That makes maintenance > from afar much more practical, and opens up your options. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Monday, October 22, 2007 3:13 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Attention UK developers > > Bit of a practicality issue there guys. If I'm off for a day and > system crashes that day....... The response that you'll be on > tonight's red-eye wouldn't go down great. Seriously though I'm > disappointed that I've had interest from your side of the pond but > no-one over here. Shame. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > > Fuller > > Sent: 21 October 2007 17:59 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Attention UK developers > > > > > > I was thinking exactly the same thing, John! And with the CDN dollar > > soaring past its American counterpart, it's no doubt cheaper to fly > > from here to Peterborough. > > > > A. > > > > On 10/21/07, John Bartow wrote: > > > > > > Great excuse to travel and be able to write it off as a business > > > expense > > > :o) > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Mon Oct 22 21:34:52 2007 From: darren at activebilling.com.au (Darren D) Date: Tue, 23 Oct 2007 12:34:52 +1000 Subject: [AccessD] Connect to SQL and retrieve records Message-ID: <200710230234.l9N2Yktl031341@databaseadvisors.com> Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD From andy at minstersystems.co.uk Tue Oct 23 04:55:26 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 10:55:26 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 From kp at sdsonline.net Tue Oct 23 06:10:49 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Tue, 23 Oct 2007 21:10:49 +1000 Subject: [AccessD] Lotus Notes References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <002101c81565$5f69d270$6701a8c0@DELLAPTOP> Andy - I have some previous posts on this topic - I will foward to you offline, Kath ----- Original Message ----- From: "Andy Lacey" To: "Dba" Sent: Tuesday, October 23, 2007 7:55 PM Subject: [AccessD] Lotus Notes > Morning campers > > Please no "watcha want to use Lotus Notes for" answers. Not my choice. > > So the thing is my mega-app uses the Outlook object model a lot to > construct, address and send emails, with or without attachments. I also > read > from incoming emails too, but that's a lesser concern. What I need to find > out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. > Do any of you heroes have any experience interfacing to Notes with VBA, or > have any good ideas where to look? I've found a couple of links and it > looks > like it can be done but some help and guidance would be great. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From Gustav at cactus.dk Tue Oct 23 06:11:11 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 23 Oct 2007 13:11:11 +0200 Subject: [AccessD] Lotus Notes Message-ID: Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk From accessd at shaw.ca Tue Oct 23 06:31:02 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Tue, 23 Oct 2007 04:31:02 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710230234.l9N2Yktl031341@databaseadvisors.com> Message-ID: <04E25951408A4DFDBA46AD6E545EDC6F@creativesystemdesigns.com> Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Tue Oct 23 06:41:18 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 12:41:18 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023114122.6B54C2B9ECD@smtp.nildram.co.uk> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From jwcolby at colbyconsulting.com Tue Oct 23 07:02:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 08:02:53 -0400 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <003501c8156c$a5100180$647aa8c0@M90> Watcha wanna use Lotus Notes for? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 5:55 AM To: Dba Subject: [AccessD] Lotus Notes Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Tue Oct 23 07:34:38 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 13:34:38 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023123442.353AE4C077@smtp.nildram.co.uk> Pretty hard to resist eh? :-) -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "'Access Developers discussion and problem solving'" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 12:06 Watcha wanna use Lotus Notes for? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 5:55 AM To: Dba Subject: [AccessD] Lotus Notes Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From Gustav at cactus.dk Tue Oct 23 07:56:50 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 23 Oct 2007 14:56:50 +0200 Subject: [AccessD] Lotus Notes Message-ID: Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk From andy at minstersystems.co.uk Tue Oct 23 09:58:10 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 15:58:10 +0100 Subject: [AccessD] Lotus Notes Message-ID: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> I'll look into it. Thanks Gustav. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 13:00 Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From john at winhaven.net Tue Oct 23 12:20:26 2007 From: john at winhaven.net (John Bartow) Date: Tue, 23 Oct 2007 12:20:26 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> References: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> Message-ID: <01ce01c81599$00b4d610$6402a8c0@ScuzzPaq> Andy, I have had a system in place that does this for about 7 years now. This was originally set up when GroupWise was the corp. mail system. They are now converting to MS Exchange/Outlook. I also have it working with Lotus Notes on another site. I went around the corp. mail system as Gustav suggests. I didn't use the same software but that is somewhat irrelevant to my comments. One item of concern I'd like to point out if using a separate system to process email is the network/email/gateway security systems in place. Occasionally my system quits working properly. The reason always has been that the IT staff has changed their gateway security settings and not my system's configuration settings. This is usually a port number change and takes all of 2 minutes so it's never been a big issue. Best of luck, John B From andy at minstersystems.co.uk Tue Oct 23 12:59:47 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Tue, 23 Oct 2007 18:59:47 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <01ce01c81599$00b4d610$6402a8c0@ScuzzPaq> Message-ID: <000001c8159e$852ec4f0$8b408552@minster33c3r25> Thanks for the input John. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 23 October 2007 18:20 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > > Andy, > I have had a system in place that does this for about 7 years > now. This was originally set up when GroupWise was the corp. > mail system. They are now converting to MS Exchange/Outlook. > I also have it working with Lotus Notes on another site. I > went around the corp. mail system as Gustav suggests. I > didn't use the same software but that is somewhat irrelevant > to my comments. > > One item of concern I'd like to point out if using a separate > system to process email is the network/email/gateway security > systems in place. Occasionally my system quits working > properly. The reason always has been that the IT staff has > changed their gateway security settings and not my system's > configuration settings. This is usually a port number change > and takes all of 2 minutes so it's never been a big issue. > > Best of luck, > John B > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From wdhindman at dejpolsystems.com Tue Oct 23 13:21:52 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 23 Oct 2007 14:21:52 -0400 Subject: [AccessD] Lotus Notes References: <20071023095529.6DB8A4CB3C@smtp.nildram.co.uk> Message-ID: <005801c815a1$9675ce40$6b706c4c@JISREGISTRATION.local> ...have you looked at the FMS Access e-mailer solution? ...its a plug-in, works smoothly, gets updated frequently, has good support, and is Notes compatible ...as with all FMS products you pay for quality but I've always found it money well spent. William ----- Original Message ----- From: "Andy Lacey" To: "Dba" Sent: Tuesday, October 23, 2007 5:55 AM Subject: [AccessD] Lotus Notes > Morning campers > > Please no "watcha want to use Lotus Notes for" answers. Not my choice. > > So the thing is my mega-app uses the Outlook object model a lot to > construct, address and send emails, with or without attachments. I also > read > from incoming emails too, but that's a lesser concern. What I need to find > out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. > Do any of you heroes have any experience interfacing to Notes with VBA, or > have any good ideas where to look? I've found a couple of links and it > looks > like it can be done but some help and guidance would be great. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > ________________________________________________ > Message sent using UebiMiau 2.7.2 > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Tue Oct 23 14:47:00 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 15:47:00 -0400 Subject: [AccessD] Sure wish it was Friday Message-ID: <005d01c815ad$7aa57b50$647aa8c0@M90> http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com From DWUTKA at Marlow.com Tue Oct 23 18:45:07 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 23 Oct 2007 18:45:07 -0500 Subject: [AccessD] Sure wish it was Friday In-Reply-To: <005d01c815ad$7aa57b50$647aa8c0@M90> Message-ID: That was great...and so true! (You could say the same for Microsoft's OS cycle... ;) ) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 23, 2007 2:47 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Sure wish it was Friday http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Tue Oct 23 20:29:17 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Tue, 23 Oct 2007 21:29:17 -0400 Subject: [AccessD] Sure wish it was Friday In-Reply-To: References: <005d01c815ad$7aa57b50$647aa8c0@M90> Message-ID: <006e01c815dd$4c148cb0$647aa8c0@M90> LOL, yea maybe. MS has fanboys but not like Apple. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Tuesday, October 23, 2007 7:45 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Sure wish it was Friday That was great...and so true! (You could say the same for Microsoft's OS cycle... ;) ) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Tuesday, October 23, 2007 2:47 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Sure wish it was Friday http://www.misterbg.org/AppleProductCycle/ John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Wed Oct 24 02:23:01 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 24 Oct 2007 08:23:01 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <005801c815a1$9675ce40$6b706c4c@JISREGISTRATION.local> Message-ID: <002001c8160e$b67c1ec0$8b408552@minster33c3r25> Thanks William. Another possibility I didn't know about. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > William Hindman > Sent: 23 October 2007 19:22 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Lotus Notes > > > ...have you looked at the FMS Access e-mailer solution? > ...its a plug-in, > works smoothly, gets updated frequently, has good support, > and is Notes > compatible ...as with all FMS products you pay for quality > but I've always > found it money well spent. > > William > > ----- Original Message ----- > From: "Andy Lacey" > To: "Dba" > Sent: Tuesday, October 23, 2007 5:55 AM > Subject: [AccessD] Lotus Notes > > > > Morning campers > > > > Please no "watcha want to use Lotus Notes for" answers. Not > my choice. > > > > So the thing is my mega-app uses the Outlook object model a lot to > > construct, address and send emails, with or without attachments. I > > also read from incoming emails too, but that's a lesser > concern. What > > I need to find out is how I'd do the same if we go from > > Outlook/Exchange to Notes/Domino. Do any of you heroes have any > > experience interfacing to Notes with VBA, or have any good > ideas where > > to look? I've found a couple of links and it looks > > like it can be done but some help and guidance would be great. > > > > -- > > Andy Lacey > > http://www.minstersystems.co.uk > > > > ________________________________________________ > > Message sent using UebiMiau 2.7.2 > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From max.wanadoo at gmail.com Wed Oct 24 04:22:24 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 24 Oct 2007 10:22:24 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> Message-ID: <00ae01c8161f$63fc5e60$8119fea9@LTVM> Hi Andy, Nothing to do with Lotus Notes per se, but I have just written a CDO email system for bulk emails (Access 2003). Your welcome to a copy if it would help. It is not super-duper stuff and I have only used it in test mode. I will be using it for real next week. I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. Regards Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Tuesday, October 23, 2007 3:58 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Lotus Notes I'll look into it. Thanks Gustav. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 13:00 Hi Andy Yes, that is doable. Marty and others have posted several code snippets how to handle the CDOSYS dll. In the archives you can look up cdosys for these months: 2007-08 2006-07 2006-06 2006-02 2005-11 If you can accept to install external controls you may look for BLAT (which I haven't used) or those that I prefer and is much faster to work with than CDOSYS, the controls from Chilkat, though not free: http://www.chilkatsoft.com/products.asp Note the IMAP component. Also, the support is excellent. /gustav >>> andy at minstersystems.co.uk 23-10-2007 13:41 >>> Interesting advice as always Gustav. The full list of what I need to do is (I think): - construct email, address it (to, CC and/or BCC) and add attachments - optionally send the email or open it in email client for previewing, editing and further addressing Separately I also need to extract Access contact data nd write to address books. Does this sound feasible without talking to Notes itself? If so any suggestions where I'd go to read more on this? Andy --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] Lotus Notes Date: 23/10/07 11:13 Hi Andy Your situation illustrates why we never user Outlook - in all its varieties. If all you do is "construct, address and send emails" (no appointments, calendar etc.), all you need is to have an SMTP server at your service, and you can use a generic approach independent of Notes, Exhange or other proprietary mail server. Windows offers the component CDO for this purpose. If a copy of the outgoing mails are needed for the user, just add the user's account as blind copy. If you need to look up addresses in the client's mail system, most systems offer an LDAP interface. /gustav >>> andy at minstersystems.co.uk 23-10-2007 11:55 >>> Morning campers Please no "watcha want to use Lotus Notes for" answers. Not my choice. So the thing is my mega-app uses the Outlook object model a lot to construct, address and send emails, with or without attachments. I also read from incoming emails too, but that's a lesser concern. What I need to find out is how I'd do the same if we go from Outlook/Exchange to Notes/Domino. Do any of you heroes have any experience interfacing to Notes with VBA, or have any good ideas where to look? I've found a couple of links and it looks like it can be done but some help and guidance would be great. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 24 08:43:13 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 09:43:13 -0400 Subject: [AccessD] San Diego Fires Message-ID: <000d01c81643$d39c12a0$697aa8c0@M90> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com From Lambert.Heenan at AIG.com Wed Oct 24 08:55:50 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 09:55:50 -0400 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From John.Clark at niagaracounty.com Wed Oct 24 08:55:27 2007 From: John.Clark at niagaracounty.com (John Clark) Date: Wed, 24 Oct 2007 09:55:27 -0400 Subject: [AccessD] San Diego Fires In-Reply-To: <000d01c81643$d39c12a0$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90> Message-ID: <471F1685.167F.006B.0@niagaracounty.com> Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Wed Oct 24 09:05:21 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 10:05:21 -0400 Subject: [AccessD] San Diego Fires In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> Message-ID: <000001c81646$eb0c41f0$697aa8c0@M90> >Prayers? Don't get me started. LOL, I don't want to get you started. But when the winds are gusting to 80 miles an hour, fire fighters are helpless. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Wednesday, October 24, 2007 9:56 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 24 09:13:49 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 09:13:49 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <00ae01c8161f$63fc5e60$8119fea9@LTVM> References: <20071023145816.02C6E4E0BD@smtp.nildram.co.uk> <00ae01c8161f$63fc5e60$8119fea9@LTVM> Message-ID: <004501c81648$1aab00d0$6402a8c0@ScuzzPaq> How far would that actually be? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. From john at winhaven.net Wed Oct 24 09:13:49 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 09:13:49 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D6@XLIVMBX35bkup.aig.com> Message-ID: <004401c81648$1a78f450$6402a8c0@ScuzzPaq> Its Wednesday - let's not start a "fire" of our own here - please. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Prayers? Don't get me started. From max.wanadoo at gmail.com Wed Oct 24 09:28:43 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Wed, 24 Oct 2007 15:28:43 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <004501c81648$1aab00d0$6402a8c0@ScuzzPaq> Message-ID: <004801c8164a$2ea16820$8119fea9@LTVM> About 75 miles. With good traffic, about 1 hr 45 mins to 2 hrs. Guess that doesn't sound a lot for USA, but with our roads and traffic, it can be tortuous! Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 3:14 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Lotus Notes How far would that actually be? -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com I was tempted to offer some help but as I am in Derby it is a bit far to cover Peterborough. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 24 09:32:34 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 24 Oct 2007 09:32:34 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: <471F1685.167F.006B.0@niagaracounty.com> References: <000d01c81643$d39c12a0$697aa8c0@M90> <471F1685.167F.006B.0@niagaracounty.com> Message-ID: Yes as John said, Rocky and his family evacuated and then were given the OK to go back home. Last heard from him about 11pm last night so he could have been evacuated again by now. He said that the cars were still loaded and ready to leave quickly. He described needing to wear a mask and goggles if you went outside. Best of luck to everyone in the area. You are all welcome to come to Minnesota. We have had lots of rain here over the past two months. We just had 4 days without rain which they said was the first time in 51 days that had happened. OK. Back to Access talk now ;-) GK On 10/24/07, John Clark wrote: > Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. > > > > John W. Clark > Computer Programmer > Niagara County > Central Data Processing > > > > >>> "jwcolby" 10/24/2007 9:43 AM >>> > For those who don't read the news, San Diego county is burning, tens of > square miles of land with thousands of buildings lost already and no end in > sight. The fires have been moving towards Rocky's home from what I can > tell. > > Rocky, are you still at home and how are you doing? I understand Rancho > Santa Fe is burning and the fire apparently is just across the freeway from > your neighborhood. Is there anyone else on the list being affected by this > fire? > > Let's keep these people in our prayers folks, they need more than > firefighters to put this thing out. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From cfoust at infostatsystems.com Wed Oct 24 09:32:54 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 24 Oct 2007 07:32:54 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <471F1685.167F.006B.0@niagaracounty.com> References: <000d01c81643$d39c12a0$697aa8c0@M90> <471F1685.167F.006B.0@niagaracounty.com> Message-ID: Thanks for letting us know that. I know others in the area who think they've lost their homes but can't find out for sure right now. It is such a shame, but also one of the known hazards of the area. We'll keep Rocky and his family in our thoughts, certainly. If there is anything we could do to help, I hope he knows he can call on us. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Clark Sent: Wednesday, October 24, 2007 6:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Lambert.Heenan at AIG.com Wed Oct 24 09:50:58 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 10:50:58 -0400 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71DA@XLIVMBX35bkup.aig.com> No denying that! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 10:05 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires >Prayers? Don't get me started. LOL, I don't want to get you started. But when the winds are gusting to 80 miles an hour, fire fighters are helpless. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Wednesday, October 24, 2007 9:56 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires I have friends in Del Mar too and they've been evacuated for the past 36 hours. It's a treacherous situation but what they need is more firefighters, not "more than firefighters". Prayers? Don't get me started. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 9:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 24 09:59:06 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 07:59:06 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <000d01c81643$d39c12a0$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90> Message-ID: <001d01c8164e$6d217af0$0301a8c0@HAL9005> We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From john at winhaven.net Wed Oct 24 10:01:03 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 10:01:03 -0500 Subject: [AccessD] San Diego Fires In-Reply-To: References: <000d01c81643$d39c12a0$697aa8c0@M90><471F1685.167F.006B.0@niagaracounty.com> Message-ID: <000901c8164e$b2810840$6402a8c0@ScuzzPaq> Rocky just posted an update on dba-OT. They're back home now. From Lambert.Heenan at AIG.com Wed Oct 24 08:59:31 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Wed, 24 Oct 2007 08:59:31 -0500 Subject: [AccessD] San Diego Fires Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED71D8@XLIVMBX35bkup.aig.com> Certainly good news there! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Clark Sent: Wednesday, October 24, 2007 9:55 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires Rocky contacted OT and said that he and his family evacuated, the night before last. He went back yesterday, and wrote while he was there, and his house was still OK at that point. John W. Clark Computer Programmer Niagara County Central Data Processing >>> "jwcolby" 10/24/2007 9:43 AM >>> For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From lembit.dbamail at t-online.de Wed Oct 24 10:30:10 2007 From: lembit.dbamail at t-online.de (Lembit Soobik) Date: Wed, 24 Oct 2007 17:30:10 +0200 Subject: [AccessD] Lotus Notes References: <004801c8164a$2ea16820$8119fea9@LTVM> Message-ID: <005001c81652$c3f23960$1800a8c0@s1800> I understand it is just kind of safetynet, so it might not be necessary at all if the customer doesnt get a problem just when Any is on vacation. Lembit ----- Original Message ----- From: To: "'Access Developers discussion and problem solving'" Sent: Wednesday, October 24, 2007 4:28 PM Subject: Re: [AccessD] Lotus Notes > About 75 miles. With good traffic, about 1 hr 45 mins to 2 hrs. > > Guess that doesn't sound a lot for USA, but with our roads and traffic, it > can be tortuous! > > Max > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Wednesday, October 24, 2007 3:14 PM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > How far would that actually be? > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > max.wanadoo at gmail.com > > I was tempted to offer some help but as I am in Derby it is a bit far to > cover Peterborough. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > > -- > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.8/1089 - Release Date: > 23.10.2007 19:39 > > From john at winhaven.net Wed Oct 24 11:23:38 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 11:23:38 -0500 Subject: [AccessD] Data Refresh Problem Message-ID: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. From john at winhaven.net Wed Oct 24 11:28:58 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 11:28:58 -0500 Subject: [AccessD] Lotus Notes In-Reply-To: <005001c81652$c3f23960$1800a8c0@s1800> References: <004801c8164a$2ea16820$8119fea9@LTVM> <005001c81652$c3f23960$1800a8c0@s1800> Message-ID: <001a01c8165a$fac9dc60$6402a8c0@ScuzzPaq> If I were closer I'd seriously consider it for no other reason than being a business partner with Andy would look good on the 'ol resume' :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lembit Soobik I understand it is just kind of safetynet, so it might not be necessary at all if the customer doesnt get a problem just when Any is on vacation. Lembit From jwcolby at colbyconsulting.com Wed Oct 24 12:48:11 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 13:48:11 -0400 Subject: [AccessD] Data Refresh Problem In-Reply-To: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: <002101c81666$0c4c6e70$697aa8c0@M90> I would look first at service pack stuff, both windows and office. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 12:24 PM To: _DBA-Access Subject: [AccessD] Data Refresh Problem Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 24 13:33:34 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 24 Oct 2007 14:33:34 -0400 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect Message-ID: <012a01c8166c$66fa0700$4b3a8343@SusanOne> http://support.microsoft.com/kb/943519 I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! SUsan H. From accessd at shaw.ca Wed Oct 24 13:46:06 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:46:06 -0700 Subject: [AccessD] San Diego Fires In-Reply-To: <001d01c8164e$6d217af0$0301a8c0@HAL9005> Message-ID: <91266CC8839B4BCEA204CA8407FAA617@creativesystemdesigns.com> Very informative... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 7:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Wed Oct 24 13:41:54 2007 From: garykjos at gmail.com (Gary Kjos) Date: Wed, 24 Oct 2007 13:41:54 -0500 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect In-Reply-To: <012a01c8166c$66fa0700$4b3a8343@SusanOne> References: <012a01c8166c$66fa0700$4b3a8343@SusanOne> Message-ID: OK, I'll say it. You are just BEGINNING to think that NOW? ;-) GK On 10/24/07, Susan Harkins wrote: > http://support.microsoft.com/kb/943519 > > > > I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! > > > > SUsan H. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From accessd at shaw.ca Wed Oct 24 13:51:35 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:51:35 -0700 Subject: [AccessD] Data Refresh Problem In-Reply-To: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 9:24 AM To: _DBA-Access Subject: [AccessD] Data Refresh Problem Has anyone experienced Access FE forms (2k-2k3) not refreshing properly over a network? 1GB Ethernet to the BE. All other work stations work well but this particular WS does not refresh data even when refresh is done manually with records refresh or F9. the only way to get the new data is to close the app and reopen it. The only difference between this WS and others is that it goes through two GB switches to get to the BE. The others go through one switch. Any ideas on why this may be happening? BTW this is not my app but I have access to the source code. The developer has not been able to figure this out on her own. TIA John B. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 24 13:54:29 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 11:54:29 -0700 Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect In-Reply-To: <012a01c8166c$66fa0700$4b3a8343@SusanOne> Message-ID: Thanks for the heads up... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 24, 2007 11:34 AM To: AccessD at databaseadvisors.com Subject: [AccessD] Office 2003 SP3 breaks AutoCorrect http://support.microsoft.com/kb/943519 I'm seeing this one all over this weekend. I'm beginning to think MS can't fix anything without breaking something else. Woody ought to be in stitches!!! SUsan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Wed Oct 24 14:47:20 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Wed, 24 Oct 2007 14:47:20 -0500 Subject: [AccessD] Access as web backend Message-ID: I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From greg at worthey.com Wed Oct 24 15:13:41 2007 From: greg at worthey.com (Greg Worthey) Date: Wed, 24 Oct 2007 13:13:41 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: References: Message-ID: <008301c8167a$60478460$1901a8c0@wsp21> I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. From rockysmolin at bchacc.com Wed Oct 24 15:22:08 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 13:22:08 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> References: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <008a01c8167b$8d42c190$0301a8c0@HAL9005> What part of town do you live in? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 1:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From tinanfields at torchlake.com Wed Oct 24 16:12:22 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 17:12:22 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008a01c8167b$8d42c190$0301a8c0@HAL9005> References: <008301c8167a$60478460$1901a8c0@wsp21> <008a01c8167b$8d42c190$0301a8c0@HAL9005> Message-ID: <471FB536.8010805@torchlake.com> Hi Rocky and Greg, My son also lives out there. He and his family were evacuated from La Mesa and are "camping out" for the duration at his place of business, which is right near the ocean. I am glad for my son's family's safety and for yours. I am dismayed to have the sort of wild-eyed disinformation that Greg refers to being spread and causing panic. Is there anything we can do to help promote rational thinking? Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > What part of town do you live in? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard for San > Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated recording, > several miles in advance of any possible fire path. This "perfect storm", in > fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly fuzzy > at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) > - while a million people are forced to sit in parking lots and auditoriums > (as if panic were called for), only about 1000 people in all of so cal are > fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, tout > suite, by early Monday morning. As of Wednesday morning, officials are still > TALKING about doing the same here. It has nothing to do with wind > conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out the > western seaboard, the reality is that it's mostly low brush fires in scantly > covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but > mostly it's just insane overreaction (and underreaction) re people. The news > picks the most impressive clips (i.e. a house or patch of trees in inferno), > rather than the prevalent lowscale desert brush fire, and loops that image > over and over. Most of the 1,000,000 people evacuated were in no danger at > all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person with a > garden hose could have put out the incipient fires on the spot, before they > consumed anything and grew. Not in all cases, of course, but when an ember > hits, it's going to start a SMALL fire, and a quick garden hose can put it > out (whereas a firetruck hours later can only try to calm the all-consuming > inferno). > > So not only did this new "reverse 911 system" massively inconvenience and > frighten a MILLION people, and nearly shut down the whole county, it also > removed all witnesses to small brush fires becoming infernos due to the fact > that no one was there to do the least thing to prevent spreading to big fuel > (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, > while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 > 7:57 PM > > > From jwcolby at colbyconsulting.com Wed Oct 24 16:14:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 24 Oct 2007 17:14:10 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> References: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <003001c81682$d3c03dd0$697aa8c0@M90> Greg, I was a (volunteer) firefighter up in Connecticut and completed the Firefighter 1 training (required to go inside burning buildings). I also lived in San Marcos for 15 years (1980-1995) before moving on. While you are correct in everything you say it still doesn't paint the full picture. The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 4:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 24 16:29:04 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 14:29:04 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <471FB536.8010805@torchlake.com> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190$0301a8c0@HAL9005> <471FB536.8010805@torchlake.com> Message-ID: <009201c81684$e75412c0$0301a8c0@HAL9005> I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. What was your son's experience with the information and his evacuation? And how long can we get away with this thread before the moderators pinch us? Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris Fields Sent: Wednesday, October 24, 2007 2:12 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Perspective on So Cal fires 2007 Hi Rocky and Greg, My son also lives out there. He and his family were evacuated from La Mesa and are "camping out" for the duration at his place of business, which is right near the ocean. I am glad for my son's family's safety and for yours. I am dismayed to have the sort of wild-eyed disinformation that Greg refers to being spread and causing panic. Is there anything we can do to help promote rational thinking? Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > What part of town do you live in? > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: > 10/22/2007 > 7:57 PM > > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM From dw-murphy at cox.net Wed Oct 24 16:34:38 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Wed, 24 Oct 2007 14:34:38 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <008301c8167a$60478460$1901a8c0@wsp21> Message-ID: <006101c81685$ae1ce5d0$0200a8c0@murphy3234aaf1> This is probably not the place to have this discussion, but I can't help but comment. I live in the County of San Diego, in an area that burned in 2003. Several of my neighbors lost their homes. Most of the whole community of Crest, just up the road from me lost their homes. Several families in Muth Valley lost members due to lack of warning. The biggest criticism of how that fire was handled was that people were not given adequate notice. I am all for getting information out and the reverse 911 system is probably the best way to do it. We were ready to leave for this fire but our area never got beyond voluntary evacuation. From my perspective, living in a fire area, I'll take all the news I can get. We can't control the media, but we can thank all the city, county, state folks who have helped with this event. If you want to see the extent of the fires on what I think is one of the best fire reporting maps go to http://www.kpbs.org/news/fires and click on the interactive fire map. Great use of a Google maps mashup. Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Wednesday, October 24, 2007 1:14 PM To: accessd at databaseadvisors.com Subject: [AccessD] Perspective on So Cal fires 2007 I live in san diego. Facts on the So Cal fires: - has affected about 640 square miles (410,000 acres) so far. - 1,000,000 people have been forcibly evacuated (last number I heard for San Diego county was 513,000, yesterday) - most of those people were ordered to leave by an automated recording, several miles in advance of any possible fire path. This "perfect storm", in fact, came nowhere near 99% of their homes. - 1,250 homes have been destroyed; half that from the 2003 fires - information about the size and location of the fires remains wildly fuzzy at best. Best mapped info is here: http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) - while a million people are forced to sit in parking lots and auditoriums (as if panic were called for), only about 1000 people in all of so cal are fighting fires (as if no one could help) - Planes were scooping water from the pacific ocean to drop on Malibu, tout suite, by early Monday morning. As of Wednesday morning, officials are still TALKING about doing the same here. It has nothing to do with wind conditions; same lie they used 4 years ago. While it's depicted on the news as a wild inferno racing to wipe out the western seaboard, the reality is that it's mostly low brush fires in scantly covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but mostly it's just insane overreaction (and underreaction) re people. The news picks the most impressive clips (i.e. a house or patch of trees in inferno), rather than the prevalent lowscale desert brush fire, and loops that image over and over. Most of the 1,000,000 people evacuated were in no danger at all. Most of the 1200 houses were randomly hit (i.e. one destroyed, while neighbors were untouched). This indicates that in many cases a person with a garden hose could have put out the incipient fires on the spot, before they consumed anything and grew. Not in all cases, of course, but when an ember hits, it's going to start a SMALL fire, and a quick garden hose can put it out (whereas a firetruck hours later can only try to calm the all-consuming inferno). So not only did this new "reverse 911 system" massively inconvenience and frighten a MILLION people, and nearly shut down the whole county, it also removed all witnesses to small brush fires becoming infernos due to the fact that no one was there to do the least thing to prevent spreading to big fuel (ie. trees and houses). Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, while allowing 75% of bombs through airport security. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From tinanfields at torchlake.com Wed Oct 24 16:34:50 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 17:34:50 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <003001c81682$d3c03dd0$697aa8c0@M90> References: <008301c8167a$60478460$1901a8c0@wsp21> <003001c81682$d3c03dd0$697aa8c0@M90> Message-ID: <471FBA7A.7060805@torchlake.com> John, Thanks for your thoughtful and informative discussion. Best regards, Tina jwcolby wrote: > Greg, > > I was a (volunteer) firefighter up in Connecticut and completed the > Firefighter 1 training (required to go inside burning buildings). I also > lived in San Marcos for 15 years (1980-1995) before moving on. While you > are correct in everything you say it still doesn't paint the full picture. > > The shake shingle roofs which were quite common on the houses built in the > 70s and 80s will catch fire from embers landing on the roofs. If these > shingles are old and untreated they will catch fairly rapidly and once a > patch of roof is engulfed no garden hose will put it out. A fully engulfed > home can and will catch the house next door and in fact entire neighborhoods > can go very quickly. People caught in those situations can quite easily > die. Fires blown by high winds can "jump" hundreds of yards or even miles > (in brush). In fact this is exactly how they jump the freeways which you > would think would act as natural firebreaks and create natural boundaries; > They can but all too often do not because of the winds. Thus a single house > on fire can "cause" another house hundreds of yards away to burn. > > Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire > with entire engines available to them, all they can do is control and wet > down the adjacent buildings to prevent the spread. > > Trained firemen die every year (encased in full on fire gear) because they > get caught in the middle of a fire when the fire jumps over them and catches > the brush around them. In fact firemen fighting brush fires are often > provided "solar blankets" which can SOMETIMES save their lives by allowing > them to hide under these blankets if they do get caught in a fire. > > I have never been inside of a real live burning structure but I have done > the training with air packs and fire suits, going into training buildings > with real fires (and LOTS of smoke) and even with suits designed to > withstand 600 degree heat it is HOT and you can't see 2 inches in front of > your face. Unprotected civilians in a fully engulfed burning neighborhood > will die, if not from the flames and heat, then from smoke inhalation or > even heart attacks. > > Evacuating a million people is the exact right thing to do rather than lose > lives. Even worse is to lose firefighters trying to rescue the idiots that > want to try and save their homes and get caught behind the fire line. A > single house burning is nothing to mess with, a brush fire or an entire > burning neighborhood whipped up by high winds can turn deadly in seconds, > even for trained professionals. > > It is easy to criticize the effects of evacuations but in fact people die > from these fires every year because they refuse to leave and try to save > their home with garden hoses. Personally I don't mind if idiots die > (cleansing the gene pool) but I object to firefighters dying trying to > rescue the idiots. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey > Sent: Wednesday, October 24, 2007 4:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard for San > Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated recording, > several miles in advance of any possible fire path. This "perfect storm", in > fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly fuzzy > at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth) > - while a million people are forced to sit in parking lots and auditoriums > (as if panic were called for), only about 1000 people in all of so cal are > fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, tout > suite, by early Monday morning. As of Wednesday morning, officials are still > TALKING about doing the same here. It has nothing to do with wind > conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out the > western seaboard, the reality is that it's mostly low brush fires in scantly > covered (semi-desert) unpopulated areas. It's a tragedy for wildlife, but > mostly it's just insane overreaction (and underreaction) re people. The news > picks the most impressive clips (i.e. a house or patch of trees in inferno), > rather than the prevalent lowscale desert brush fire, and loops that image > over and over. Most of the 1,000,000 people evacuated were in no danger at > all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person with a > garden hose could have put out the incipient fires on the spot, before they > consumed anything and grew. Not in all cases, of course, but when an ember > hits, it's going to start a SMALL fire, and a quick garden hose can put it > out (whereas a firetruck hours later can only try to calm the all-consuming > inferno). > > So not only did this new "reverse 911 system" massively inconvenience and > frighten a MILLION people, and nearly shut down the whole county, it also > removed all witnesses to small brush fires becoming infernos due to the fact > that no one was there to do the least thing to prevent spreading to big fuel > (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail clippers, > while allowing 75% of bombs through airport security. > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From andy at minstersystems.co.uk Wed Oct 24 16:37:48 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 24 Oct 2007 22:37:48 +0100 Subject: [AccessD] Lotus Notes In-Reply-To: <001a01c8165a$fac9dc60$6402a8c0@ScuzzPaq> Message-ID: <000001c81686$234bad50$8b408552@minster33c3r25> Aw shucks you flatterer. The honour would be all ine John. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 24 October 2007 17:29 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Lotus Notes > > > If I were closer I'd seriously consider it for no other > reason than being a business partner with Andy would look > good on the 'ol resume' :o) > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Lembit Soobik > > I understand it is just kind of safetynet, so it might not be > necessary at all if the customer doesnt get a problem just > when Any is on vacation. Lembit > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From john at winhaven.net Wed Oct 24 19:44:48 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 19:44:48 -0500 Subject: [AccessD] Data Refresh Problem In-Reply-To: References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> Message-ID: <002301c816a0$3eb46f90$6402a8c0@ScuzzPaq> SQL Server would be ideal for this site as they have 3 other apps running on it. But alas: #1) I don't think the developer can do SQL #2.) I don't have time to rewrite this app for them Big #3) they wouldn't want to pay for it :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 1:52 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. From john at winhaven.net Wed Oct 24 19:44:48 2007 From: john at winhaven.net (John Bartow) Date: Wed, 24 Oct 2007 19:44:48 -0500 Subject: [AccessD] Data Refresh Problem In-Reply-To: <002101c81666$0c4c6e70$697aa8c0@M90> References: <001801c8165a$3be091e0$6402a8c0@ScuzzPaq> <002101c81666$0c4c6e70$697aa8c0@M90> Message-ID: <002401c816a0$3ef98ee0$6402a8c0@ScuzzPaq> Thanks for the suggestion. I keep that stuff up to par. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby I would look first at service pack stuff, both windows and office. From accessd at shaw.ca Wed Oct 24 20:50:46 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 18:50:46 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From tinanfields at torchlake.com Wed Oct 24 21:44:15 2007 From: tinanfields at torchlake.com (Tina Norris Fields) Date: Wed, 24 Oct 2007 22:44:15 -0400 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <009201c81684$e75412c0$0301a8c0@HAL9005> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190 $0301a8c0@HAL9005><471FB536.8010805@torchlake.com> <009201c81684$e75412c0$0301a8c0@HAL9005> Message-ID: <472002FF.1070604@torchlake.com> Hi Rocky, My son Doug said that the smoke was a real factor. I don't think he has a problem, either, with leaving the house until it is safe to come back. My response to Greg took his information at face value. I am not on the scene and cannot judge. From what you and John Colby have since explained, I agree that the measures taken are rational. I want all of you, my friends and my family, to be safe and to get through this very scary fire. Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > I don't find that the information is wild or irrational. There's no panic > here. I believe you'll hear reports in the coming days and weeks about how > orderly and effective the evacuations proceeded, how the shelters were set > up and run efficiently, and although there were some problems in fighting > the fires, how could there not be, overall I think the operation will be > judged very successful. > > I personally had no problem leaving when the order came. I couldn't go > outside without a mask and goggles, couldn't see to the end of the street > for the smoke, was standing in a 20-40 mph wind, and directly upwind was a > fire racing towards Del Mar. If you look at a map of the fire burn area > you can see how unpredictable the progress of a fire is. It can turn in a > minute based on the shifting winds or even the wind created by the fire > itself. Evacuating folks in a wide margin around a fire seems prudent. > > I know lots of people who were evacuated. Haven't heard a single complaint > yet. And we're being flooded with good minute to minute information. > > There will also be lots of reporting about the things that went wrong - > makes for good press. By these reports everyone will be judged to be a > bumbling, shortsighted, incompetent fool. You'll just have to read up on it > and judge for yourself. > > What was your son's experience with the information and his evacuation? > > And how long can we get away with this thread before the moderators pinch > us? > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris > Fields > Sent: Wednesday, October 24, 2007 2:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Perspective on So Cal fires 2007 > > Hi Rocky and Greg, > My son also lives out there. He and his family were evacuated from La Mesa > and are "camping out" for the duration at his place of business, which is > right near the ocean. I am glad for my son's family's safety and for yours. > I am dismayed to have the sort of wild-eyed disinformation that Greg refers > to being spread and causing panic. Is there anything we can do to help > promote rational thinking? > Kindest regards, > Tina > > Rocky Smolin at Beach Access Software wrote: > >> What part of town do you live in? >> >> Rocky >> >> >> >> >> >> >> >> >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg >> Worthey >> Sent: Wednesday, October 24, 2007 1:14 PM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Perspective on So Cal fires 2007 >> >> I live in san diego. >> >> Facts on the So Cal fires: >> - has affected about 640 square miles (410,000 acres) so far. >> - 1,000,000 people have been forcibly evacuated (last number I heard >> for San Diego county was 513,000, yesterday) >> - most of those people were ordered to leave by an automated >> recording, several miles in advance of any possible fire path. This >> "perfect storm", in fact, came nowhere near 99% of their homes. >> - 1,250 homes have been destroyed; half that from the 2003 fires >> - information about the size and location of the fires remains wildly >> fuzzy at best. Best mapped info is here: >> http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google >> earth) >> - while a million people are forced to sit in parking lots and >> auditoriums (as if panic were called for), only about 1000 people in >> all of so cal are fighting fires (as if no one could help) >> - Planes were scooping water from the pacific ocean to drop on Malibu, >> tout suite, by early Monday morning. As of Wednesday morning, >> officials are still TALKING about doing the same here. It has nothing >> to do with wind conditions; same lie they used 4 years ago. >> >> >> While it's depicted on the news as a wild inferno racing to wipe out >> the western seaboard, the reality is that it's mostly low brush fires >> in scantly covered (semi-desert) unpopulated areas. It's a tragedy for >> wildlife, but mostly it's just insane overreaction (and underreaction) >> re people. The news picks the most impressive clips (i.e. a house or >> patch of trees in inferno), rather than the prevalent lowscale desert >> brush fire, and loops that image over and over. Most of the 1,000,000 >> people evacuated were in no danger at all. >> >> Most of the 1200 houses were randomly hit (i.e. one destroyed, while >> neighbors were untouched). This indicates that in many cases a person >> with a garden hose could have put out the incipient fires on the spot, >> before they consumed anything and grew. Not in all cases, of course, >> but when an ember hits, it's going to start a SMALL fire, and a quick >> garden hose can put it out (whereas a firetruck hours later can only >> try to calm the all-consuming inferno). >> >> So not only did this new "reverse 911 system" massively inconvenience >> and frighten a MILLION people, and nearly shut down the whole county, >> it also removed all witnesses to small brush fires becoming infernos >> due to the fact that no one was there to do the least thing to prevent >> spreading to big fuel (ie. trees and houses). >> >> Insanity. Kind of like dutifully confiscating toothpaste and nail >> clippers, while allowing 75% of bombs through airport security. >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> No virus found in this incoming message. >> Checked by AVG Free Edition. >> Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: >> 10/22/2007 >> 7:57 PM >> >> >> >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 > 7:57 PM > > > From rockysmolin at bchacc.com Wed Oct 24 23:21:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 24 Oct 2007 21:21:13 -0700 Subject: [AccessD] Perspective on So Cal fires 2007 In-Reply-To: <472002FF.1070604@torchlake.com> References: <008301c8167a$60478460$1901a8c0@wsp21><008a01c8167b$8d42c190$0301a8c0@HAL9005><471FB536.8010805@torchlake.com><009201c81684$e75412c0$0301a8c0@HAL9005> <472002FF.1070604@torchlake.com> Message-ID: <00d901c816be$7ae870b0$0301a8c0@HAL9005> Well, everybody has only their personal experience. So everybody sees it differently. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris Fields Sent: Wednesday, October 24, 2007 7:44 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Perspective on So Cal fires 2007 Hi Rocky, My son Doug said that the smoke was a real factor. I don't think he has a problem, either, with leaving the house until it is safe to come back. My response to Greg took his information at face value. I am not on the scene and cannot judge. From what you and John Colby have since explained, I agree that the measures taken are rational. I want all of you, my friends and my family, to be safe and to get through this very scary fire. Kindest regards, Tina Rocky Smolin at Beach Access Software wrote: > I don't find that the information is wild or irrational. There's no > panic here. I believe you'll hear reports in the coming days and > weeks about how orderly and effective the evacuations proceeded, how > the shelters were set up and run efficiently, and although there were > some problems in fighting the fires, how could there not be, overall I > think the operation will be judged very successful. > > I personally had no problem leaving when the order came. I couldn't > go outside without a mask and goggles, couldn't see to the end of the > street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a > fire racing towards Del Mar. If you look at a map of the fire burn area > you can see how unpredictable the progress of a fire is. It can turn > in a minute based on the shifting winds or even the wind created by > the fire itself. Evacuating folks in a wide margin around a fire seems prudent. > > I know lots of people who were evacuated. Haven't heard a single > complaint yet. And we're being flooded with good minute to minute information. > > There will also be lots of reporting about the things that went wrong > - makes for good press. By these reports everyone will be judged to > be a bumbling, shortsighted, incompetent fool. You'll just have to > read up on it and judge for yourself. > > What was your son's experience with the information and his evacuation? > > And how long can we get away with this thread before the moderators > pinch us? > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tina Norris > Fields > Sent: Wednesday, October 24, 2007 2:12 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Perspective on So Cal fires 2007 > > Hi Rocky and Greg, > My son also lives out there. He and his family were evacuated from La > Mesa and are "camping out" for the duration at his place of business, > which is right near the ocean. I am glad for my son's family's safety and for yours. > I am dismayed to have the sort of wild-eyed disinformation that Greg > refers to being spread and causing panic. Is there anything we can do > to help promote rational thinking? > Kindest regards, > Tina > > Rocky Smolin at Beach Access Software wrote: > >> What part of town do you live in? >> >> Rocky >> >> >> >> >> >> >> >> >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg >> Worthey >> Sent: Wednesday, October 24, 2007 1:14 PM >> To: accessd at databaseadvisors.com >> Subject: [AccessD] Perspective on So Cal fires 2007 >> >> I live in san diego. >> >> Facts on the So Cal fires: >> - has affected about 640 square miles (410,000 acres) so far. >> - 1,000,000 people have been forcibly evacuated (last number I heard >> for San Diego county was 513,000, yesterday) >> - most of those people were ordered to leave by an automated >> recording, several miles in advance of any possible fire path. This >> "perfect storm", in fact, came nowhere near 99% of their homes. >> - 1,250 homes have been destroyed; half that from the 2003 fires >> - information about the size and location of the fires remains wildly >> fuzzy at best. Best mapped info is here: >> http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google >> earth) >> - while a million people are forced to sit in parking lots and >> auditoriums (as if panic were called for), only about 1000 people in >> all of so cal are fighting fires (as if no one could help) >> - Planes were scooping water from the pacific ocean to drop on >> Malibu, tout suite, by early Monday morning. As of Wednesday morning, >> officials are still TALKING about doing the same here. It has nothing >> to do with wind conditions; same lie they used 4 years ago. >> >> >> While it's depicted on the news as a wild inferno racing to wipe out >> the western seaboard, the reality is that it's mostly low brush fires >> in scantly covered (semi-desert) unpopulated areas. It's a tragedy >> for wildlife, but mostly it's just insane overreaction (and >> underreaction) re people. The news picks the most impressive clips >> (i.e. a house or patch of trees in inferno), rather than the >> prevalent lowscale desert brush fire, and loops that image over and >> over. Most of the 1,000,000 people evacuated were in no danger at all. >> >> Most of the 1200 houses were randomly hit (i.e. one destroyed, while >> neighbors were untouched). This indicates that in many cases a person >> with a garden hose could have put out the incipient fires on the >> spot, before they consumed anything and grew. Not in all cases, of >> course, but when an ember hits, it's going to start a SMALL fire, and >> a quick garden hose can put it out (whereas a firetruck hours later >> can only try to calm the all-consuming inferno). >> >> So not only did this new "reverse 911 system" massively inconvenience >> and frighten a MILLION people, and nearly shut down the whole county, >> it also removed all witnesses to small brush fires becoming infernos >> due to the fact that no one was there to do the least thing to >> prevent spreading to big fuel (ie. trees and houses). >> >> Insanity. Kind of like dutifully confiscating toothpaste and nail >> clippers, while allowing 75% of bombs through airport security. >> >> -- >> AccessD mailing list >> AccessD at databaseadvisors.com >> http://databaseadvisors.com/mailman/listinfo/accessd >> Website: http://www.databaseadvisors.com >> >> No virus found in this incoming message. >> Checked by AVG Free Edition. >> Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: >> 10/22/2007 >> 7:57 PM >> >> >> >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: > 10/22/2007 > 7:57 PM > > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From accessd at shaw.ca Thu Oct 25 01:46:53 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 23:46:53 -0700 Subject: [AccessD] Data Refresh Problem In-Reply-To: <002301c816a0$3eb46f90$6402a8c0@ScuzzPaq> Message-ID: John it looks like a Strike three situation... Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 24, 2007 5:45 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem SQL Server would be ideal for this site as they have 3 other apps running on it. But alas: #1) I don't think the developer can do SQL #2.) I don't have time to rewrite this app for them Big #3) they wouldn't want to pay for it :o) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 1:52 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Data Refresh Problem Unfortunately, I can not be of much help with this but have experienced this condition for years with a large variety of 'bound' Access sites. Traditionally, if given the mandate, I convert the site to 'unbound' with a MS SQL BE and the client has never had that problem afterwards. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Thu Oct 25 01:58:20 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 24 Oct 2007 23:58:20 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> Hi Jim: I just looked down further in your email and noticed the questions you had posed. I have done a number of wed sites that use databases but have never attempted the challenge with an Access DB. I have always used on the many SQL databases and have never had that problem. What sort of WebServer are you using? IIS or Apache? A WebServer and a real SQL DB should be able to manage/queue multiple calls with ease. Here is a website that has a group of tools for stress testing web sites: http://www.softwareqatest.com/qatweb1.html Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From greg at worthey.com Thu Oct 25 08:52:28 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 06:52:28 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: Message-ID: <00b301c8170e$4986ef60$1901a8c0@wsp21> John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" ... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com From Jim.Hale at FleetPride.com Thu Oct 25 08:54:33 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 08:54:33 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Jim.Hale at FleetPride.com Thu Oct 25 08:55:40 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 08:55:40 -0500 Subject: [AccessD] Access as web backend In-Reply-To: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> References: <86BEC5781B124571B969B53FAE9A7A08@creativesystemdesigns.com> Message-ID: Thanks Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Thursday, October 25, 2007 1:58 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: I just looked down further in your email and noticed the questions you had posed. I have done a number of wed sites that use databases but have never attempted the challenge with an Access DB. I have always used on the many SQL databases and have never had that problem. What sort of WebServer are you using? IIS or Apache? A WebServer and a real SQL DB should be able to manage/queue multiple calls with ease. Here is a website that has a group of tools for stress testing web sites: http://www.softwareqatest.com/qatweb1.html Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From andy at minstersystems.co.uk Thu Oct 25 09:15:09 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 15:15:09 +0100 Subject: [AccessD] So Cal fires perspective Message-ID: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From lmrazek at lcm-res.com Thu Oct 25 09:21:47 2007 From: lmrazek at lcm-res.com (Lawrence Mrazek) Date: Thu, 25 Oct 2007 09:21:47 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 8:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Thu Oct 25 09:24:47 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 25 Oct 2007 07:24:47 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Message-ID: Thanks, Andy. It was time for that. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 7:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 25 10:03:20 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:03:20 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00b301c8170e$4986ef60$1901a8c0@wsp21> References: <00b301c8170e$4986ef60$1901a8c0@wsp21> Message-ID: <007901c81718$2f37d020$697aa8c0@M90> Greg, Give me a break! If you evacuate a million people, then how can you say "the only casualties were... " when you may very well have evacuated hundreds of "would have been" casualties. That is a non sequitur. The decisions to evacuate an area are not made in a vacuum. There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc. If they evacuate 1 million people, 1 million people are inconvenienced. If they make the wrong decision, people can and DO die! Hmmm... inconvenience... death... inconvenience... death... If asked to leave, people have no business staying behind. Fighting fires is not the job of the guy next door. It is a dangerous, even deadly job. How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke? How many would have died staying behind to take care of them when the fire jumped an entire neighborhood and ended up burning their rest home to the ground? Just because it didn't happened doesn't mean it couldn't happen. And precisely right, why not 10 million or 100 million? Who makes that decision? How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out? And who should stay? I assume the women and children should leave? But wait, no cars for the poor guys to get out when the time comes? Oh, I understand, we could organize bus routes to run this "volunteer corp" of yours around eh? Brilliant idea I must admit. I kinda wish I had thought of it! 8-( And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away? But wait, if the fire is in the block next door isn't that exactly when you would be most value putting out the "small incipient fires" caused by embers raining down? But wait, if the fire is just two houses away NOW is exactly when you would be of the most value because of the embers raining down, right? Now, TAKE A LOOK AROUND YOU!!! Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks. Hmmm... if you assume out of 1 million people evacuated AT LEAST 100K of them would be "adult males able to fight fires" and you assume just 1 percent of them have heart attacks because they are just not physically capable of doing the job.... hm... that is 1 THOUSAND heart attack victims (or "only" 100? or "only" 10?). But wait, we could arrange screening facilities in the middle of every block... to decide who stays and goes... OK, everybody, line up over there... let's get your blood pressure... hmm.. could you do even 10 pushups for me to demonstrate that you can do ANYTHING? I have to assume from your "tone of voice" that you have ready scientific answers to this question? I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? And of course I have to ask, how vocal would you be about the idiotic decision NOT to evacuate when a hundred people die that should have been evacuated. And finally, how many of those who died because they were NOT forced to evacuate would the family have won 100 million dollar law suits against the city for the "idiotic decision" not to evacuate them? I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions. I highly recommend that YOU spend the many hours to go get training to be a fireman and YOU go do it and then come back and repeat your remarks. Tell me that YOU are an expert on these matters and then your opinions will be highly valued, until then they are just ridicule of people doing a lot of different jobs that you quite obviously know nothing about. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:52 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg From jwcolby at colbyconsulting.com Thu Oct 25 10:10:40 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:10:40 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> Message-ID: <008e01c81719$35a7cdb0$697aa8c0@M90> Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "accessd at databaseadvisors.com" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 13:59 John, This is an example of the kind of jumping to extremes that causes the toothpaste and nailclippers problem. I'm not saying that people should stand in the middle of an inferno with a garden hose!!! If your house has any significant fire going, get out. If your neighborhood is a firestorm, get out. If you can't breathe, get out. But in many cases, homes are lost (AND infernos grew into being) simply because no one was there to hold back small incipient fires, spread by few embers blowing. Certainly some people stay far too long and sometimes die--that is an error in judgment. But so is calling everyone with a garden hose an idiot. Situations vary, but the vast majority were FAR from any danger (much less near an inferno). "Evacuating a million people is the exact right thing to do rather than lose lives." Based on what? Look at the map I linked. Why not force 2 million from their non-endangered homes? Why not the whole county? Note that of the 5 people who died, there was one "idiot" (tried to save his home), and 4 old people who died as a result of the needless upheaval. Both extremes have costs. What was ACTUALLY needed was water drops (like they had in LA from the beginning), and many more reserve firemen. This exact same thing happened just 4 years ago, and it's certain to happen again soon. It seems they spent all their money on the database to evac the world, and none training volunteer/reserve firemen. There's no sense in that. Aside from the overreaction in forcing evacuations, and the vilifying of people who would reasonably try to protect their home (now outlawed), the real problem is that the groupthink that carries these overreactions eagerly buries the vast lack of actually addressing the real problems. Way too much reactionary evacuating, and way too little putting out fires. There's wasn't even anyone left to piece together a picture of where the fires were raging/threatening! Info is still very sketchy. Greg ------------------------------ Message: 11 Date: Wed, 24 Oct 2007 17:14:10 -0400 From: "jwcolby" .... The shake shingle roofs which were quite common on the houses built in the 70s and 80s will catch fire from embers landing on the roofs. If these shingles are old and untreated they will catch fairly rapidly and once a patch of roof is engulfed no garden hose will put it out. A fully engulfed home can and will catch the house next door and in fact entire neighborhoods can go very quickly. People caught in those situations can quite easily die. Fires blown by high winds can "jump" hundreds of yards or even miles (in brush). In fact this is exactly how they jump the freeways which you would think would act as natural firebreaks and create natural boundaries; They can but all too often do not because of the winds. Thus a single house on fire can "cause" another house hundreds of yards away to burn. Watch the TV. A full fire crew CANNOT EXTINGUISH a fully engulfed home fire with entire engines available to them, all they can do is control and wet down the adjacent buildings to prevent the spread. Trained firemen die every year (encased in full on fire gear) because they get caught in the middle of a fire when the fire jumps over them and catches the brush around them. In fact firemen fighting brush fires are often provided "solar blankets" which can SOMETIMES save their lives by allowing them to hide under these blankets if they do get caught in a fire. I have never been inside of a real live burning structure but I have done the training with air packs and fire suits, going into training buildings with real fires (and LOTS of smoke) and even with suits designed to withstand 600 degree heat it is HOT and you can't see 2 inches in front of your face. Unprotected civilians in a fully engulfed burning neighborhood will die, if not from the flames and heat, then from smoke inhalation or even heart attacks. Evacuating a million people is the exact right thing to do rather than lose lives. Even worse is to lose firefighters trying to rescue the idiots that want to try and save their homes and get caught behind the fire line. A single house burning is nothing to mess with, a brush fire or an entire burning neighborhood whipped up by high winds can turn deadly in seconds, even for trained professionals. It is easy to criticize the effects of evacuations but in fact people die from these fires every year because they refuse to leave and try to save their home with garden hoses. Personally I don't mind if idiots die (cleansing the gene pool) but I object to firefighters dying trying to rescue the idiots. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Thu Oct 25 10:13:18 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 10:13:18 -0500 Subject: [AccessD] Access as web backend In-Reply-To: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> References: <0bd901c81712$60cc96d0$066fa8c0@lcmdv8000> Message-ID: I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From jwcolby at colbyconsulting.com Thu Oct 25 10:15:32 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:15:32 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <008e01c81719$35a7cdb0$697aa8c0@M90> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> <008e01c81719$35a7cdb0$697aa8c0@M90> Message-ID: <008f01c81719$e35b4590$697aa8c0@M90> They did use a database to decide who to call for evacuation. Does that make it Access related? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:11 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] So Cal fires perspective Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk From jwcolby at colbyconsulting.com Thu Oct 25 10:17:31 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:17:31 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <001d01c8164e$6d217af0$0301a8c0@HAL9005> References: <000d01c81643$d39c12a0$697aa8c0@M90> <001d01c8164e$6d217af0$0301a8c0@HAL9005> Message-ID: <009001c8171a$2a3d5430$697aa8c0@M90> Rocky, I was SERIOUSLY worried that our Southern California AccessD conference location was in danger. Oh yea, and that you and your family were safe as well... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 10:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From andy at minstersystems.co.uk Thu Oct 25 10:30:20 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 16:30:20 +0100 Subject: [AccessD] So Cal fires perspective Message-ID: <20071025153025.CA75F2DFDF6@smtp.nildram.co.uk> ROTFL. 11/10 for cheek. -- Andy Lacey http://www.minstersystems.co.uk --------- Original Message -------- From: "Access Developers discussion and problem solving" To: "'Access Developers discussion and problem solving'" Subject: Re: [AccessD] So Cal fires perspective Date: 25/10/07 15:21 They did use a database to decide who to call for evacuation. Does that make it Access related? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:11 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] So Cal fires perspective Sorry Andy, I pressed send and came back to see this. 8-( John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 10:15 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Sorry folks. I'm really interested in the discussion but with my mod's hat on I have to say that the Access content is a little on the low side. Please take this to OT if you want to continue. -- Andy Lacey http://www.minstersystems.co.uk -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ________________________________________________ Message sent using UebiMiau 2.7.2 From mmattys at rochester.rr.com Thu Oct 25 10:30:56 2007 From: mmattys at rochester.rr.com (Michael R Mattys) Date: Thu, 25 Oct 2007 11:30:56 -0400 Subject: [AccessD] So Cal fires perspective References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk> <008e01c81719$35a7cdb0$697aa8c0@M90> <008f01c81719$e35b4590$697aa8c0@M90> Message-ID: <02ca01c8171c$0af83160$0202a8c0@Laptop> Backyard barbeque with Greg and John, anyone? Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 25, 2007 11:15 AM Subject: Re: [AccessD] So Cal fires perspective > They did use a database to decide who to call for evacuation. Does that > make it Access related? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 11:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] So Cal fires perspective > > Sorry Andy, I pressed send and came back to see this. > > 8-( > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Thursday, October 25, 2007 10:15 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] So Cal fires perspective > > Sorry folks. I'm really interested in the discussion but with my mod's hat > on I have to say that the Access content is a little on the low side. > Please > take this to OT if you want to continue. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Thu Oct 25 10:51:18 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 11:51:18 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: <02ca01c8171c$0af83160$0202a8c0@Laptop> References: <20071025141513.B496C2B88BD@smtp.nildram.co.uk><008e01c81719$35a7cdb0$697aa8c0@M90><008f01c81719$e35b4590$697aa8c0@M90> <02ca01c8171c$0af83160$0202a8c0@Laptop> Message-ID: <009c01c8171e$e2a63420$697aa8c0@M90> ROTFL. Who is being BBQd? John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Michael R Mattys Sent: Thursday, October 25, 2007 11:31 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] So Cal fires perspective Backyard barbeque with Greg and John, anyone? Michael R. Mattys MapPoint & Access Dev www.mattysconsulting.com ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Thursday, October 25, 2007 11:15 AM Subject: Re: [AccessD] So Cal fires perspective > They did use a database to decide who to call for evacuation. Does that > make it Access related? > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 11:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] So Cal fires perspective > > Sorry Andy, I pressed send and came back to see this. > > 8-( > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey > Sent: Thursday, October 25, 2007 10:15 AM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] So Cal fires perspective > > Sorry folks. I'm really interested in the discussion but with my mod's hat > on I have to say that the Access content is a little on the low side. > Please > take this to OT if you want to continue. > > -- > Andy Lacey > http://www.minstersystems.co.uk > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 10:55:34 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 08:55:34 -0700 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <009001c8171a$2a3d5430$697aa8c0@M90> References: <000d01c81643$d39c12a0$697aa8c0@M90><001d01c8164e$6d217af0$0301a8c0@HAL9005> <009001c8171a$2a3d5430$697aa8c0@M90> Message-ID: <005001c8171f$7b3efe10$0301a8c0@HAL9005> Yeah, AOK today (if I can impose on the moderator for one more update). Worse air quality this morning, very smoky. Fires are burning towards the east as the Santa Ana has broken down. Big fires in Camp Pendleton and Mount Palomar. Some homes in Rancho Santa Fe burned - just east of us. But we're not in any danger of burning now. There's a lot of coverage including a lots of video on line if people are interested. The local paper: http://www.signonsandiego.com/ CBS affiliate: http://www.cbs8.com/ NBC affiliate: http://www.nbcsandiego.com/index.html probably the best for pictures and video. I'd like to thank everybody who asked on-line and off-line about us, for your concern and your prayers. (OK, Andy, I'm done.) Best to all Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 8:18 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Good to hear - was RE: San Diego Fires Rocky, I was SERIOUSLY worried that our Southern California AccessD conference location was in danger. Oh yea, and that you and your family were safe as well... ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Wednesday, October 24, 2007 10:59 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] San Diego Fires We're back and safe. We had most of Monday to prepare to evacuate. Didn't know if the fires would get to the coast but it was predicted. There's really no way to stop a fire in that wind. Air tankers and helicopters can't go up. It came within about 5-10 miles of Del Mar. You can get al the maps and stats at http://www.signonsandiego.com/ It's not over. Containment of the fires is still between 0 and 10 percent. Bu, unless something changes radically, we're going to unpack today. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Wednesday, October 24, 2007 6:43 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] San Diego Fires For those who don't read the news, San Diego county is burning, tens of square miles of land with thousands of buildings lost already and no end in sight. The fires have been moving towards Rocky's home from what I can tell. Rocky, are you still at home and how are you doing? I understand Rancho Santa Fe is burning and the fire apparently is just across the freeway from your neighborhood. Is there anyone else on the list being affected by this fire? Let's keep these people in our prayers folks, they need more than firefighters to put this thing out. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release Date: 10/22/2007 7:57 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From joeo at appoli.com Thu Oct 25 11:11:52 2007 From: joeo at appoli.com (Joe O'Connell) Date: Thu, 25 Oct 2007 12:11:52 -0400 Subject: [AccessD] Access as web backend References: Message-ID: Jim, Is the database opened in shared or exclusive mode? Be sure that it is shared. From the database window, click on Options then select the Advanced tab. The Default Open Mode should be set to Shared. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 3:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From greg at worthey.com Thu Oct 25 11:30:18 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 09:30:18 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: Message-ID: <00ba01c81724$558266d0$1901a8c0@wsp21> Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > From dw-murphy at cox.net Thu Oct 25 11:32:54 2007 From: dw-murphy at cox.net (Doug Murphy) Date: Thu, 25 Oct 2007 09:32:54 -0700 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: <002301c81724$b18fc530$0200a8c0@murphy3234aaf1> I have done a few ASP sites with Access backends and have not seen that problem. Admitedly they aren't high trafic sites, but the connections to the db are only open for a fraction of a second for each transaction. Does the code your using close each connection when a database transaction is performed? Doug -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 6:55 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Thanks! Any advice on how to prevent users from getting file busy errors? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Wednesday, October 24, 2007 8:51 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: You have done a very good job... It has a very nice layout and feel to it. Regards Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 12:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Thu Oct 25 11:37:35 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Thu, 25 Oct 2007 09:37:35 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00ba01c81724$558266d0$1901a8c0@wsp21> References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: Greg, You're entitled to your opinions, but the Santa Anas made water drops impossible a good portion of the time. Please don't keep THIS fire burning! ;0} Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:30 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 12:22:05 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 10:22:05 -0700 Subject: [AccessD] So Cal fires perspective In-Reply-To: <00ba01c81724$558266d0$1901a8c0@wsp21> References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: <006e01c8172b$90eea290$0301a8c0@HAL9005> We can have this debate but you have to join the OT list to do it. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 9:30 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] So Cal fires perspective Rocky, To kick a million people from their homes when less than 1% were near any actual danger, I call that panic. Orderly panic, even cheerful panic, but panic nonetheless. The largest evacuation in California history. It sounds like you were uncomfortable with the air quality, anxious to leave, and didn't need an order. I support your right to evacuate any time you wish. But if fire is several miles from me, you would support my right to remain a vigilent non-refugee, right? Looking at the updating map that I linked before -- http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google earth)... The closest that fire came to del mar--and most of the evac'd areas--was 6 miles. I've been watching the tv coverage most waking hours since early Monday morning, and they sure paint it like "fire racing"; a "wall of fire", "firestorm 2007", and showing ad nauseum only the spots of sensational inferno. In reality, the most any fire moved was a few miles per DAY, in the windiest mountain conditions. As for perspective, it took the news over 24 hours from start before they showed a rudimentary map of where the fires were. Every authority really seemed to not know exactly where the fires were, even days later, and not even recognize a problem in that. FIVE days later, they still show only these extremely vague colored maps which are misleading in many ways. 1) they color using a very broad brush, overstating area, 2) the maps are so grossly undetailed that they don't even label most cities, 3) they give no indication of fire strength or intensity or speed, and 4) they give no indication of populated areas (versus unpopulated areas with very little fuel). It's not easy to find the truthful detail I linked above, and after all this time, still nobody seems to notice the lack of clarity. That is scary to me. This was really really bad for wildlife. For people, it was 99% over-reaction. In both cases, there was massively insufficient useful response. I too have heard few complaints about the record-breaking needless upheaval and broad-brush sensationalist reporting. Kind of like nailclippers at the airport. It seems people can't recognize irrational excess and folly anymore; all too happy to relinquish anything (or everything) for any reason. Scares me much more than any fire. Where is the perspective!? I'm glad you and 99% of the million evacuees are unscathed and still with home & possessions Rocky. I just hope you'll get skeptical enough to notice how little was done to fight the fires. The firefighters are working absolutely insane hours, but there are so few of them! This same thing happened just 4 years ago. Shall we all evacuate en mass every 4 years, pretend it's the best that could be done, and skip the needed firefighters? People were screaming about the lack of water drops last time, and then too, water drops were plentiful in LA since days before anyone even noticed the lack here. And now from the induced shock of needlessly enforced mass-scale panic, it seems that everyone is too shellshocked to use critical thinking. What was needed here was NOT another database to force people from their homes (and the massive effort and expense to accommodate them), but rather some common sense (i.e. reserve firefighters, water-drop planes, and moderately precise information about where the fires were). We made all these mistakes (sans the million refugees) just 4 years ago. Greg Message: 12 Date: Wed, 24 Oct 2007 14:29:04 -0700 From: "Rocky Smolin at Beach Access Software" Subject: Re: [AccessD] Perspective on So Cal fires 2007 To: "'Access Developers discussion and problem solving'" Message-ID: <009201c81684$e75412c0$0301a8c0 at HAL9005> Content-Type: text/plain; charset="US-ASCII" I don't find that the information is wild or irrational. There's no panic here. I believe you'll hear reports in the coming days and weeks about how orderly and effective the evacuations proceeded, how the shelters were set up and run efficiently, and although there were some problems in fighting the fires, how could there not be, overall I think the operation will be judged very successful. I personally had no problem leaving when the order came. I couldn't go outside without a mask and goggles, couldn't see to the end of the street for the smoke, was standing in a 20-40 mph wind, and directly upwind was a fire racing towards Del Mar. If you look at a map of the fire burn area you can see how unpredictable the progress of a fire is. It can turn in a minute based on the shifting winds or even the wind created by the fire itself. Evacuating folks in a wide margin around a fire seems prudent. I know lots of people who were evacuated. Haven't heard a single complaint yet. And we're being flooded with good minute to minute information. There will also be lots of reporting about the things that went wrong - makes for good press. By these reports everyone will be judged to be a bumbling, shortsighted, incompetent fool. You'll just have to read up on it and judge for yourself. ... Rocky > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg > Worthey > Sent: Wednesday, October 24, 2007 1:14 PM > To: accessd at databaseadvisors.com > Subject: [AccessD] Perspective on So Cal fires 2007 > > I live in san diego. > > Facts on the So Cal fires: > - has affected about 640 square miles (410,000 acres) so far. > - 1,000,000 people have been forcibly evacuated (last number I heard > for San Diego county was 513,000, yesterday) > - most of those people were ordered to leave by an automated > recording, several miles in advance of any possible fire path. This > "perfect storm", in fact, came nowhere near 99% of their homes. > - 1,250 homes have been destroyed; half that from the 2003 fires > - information about the size and location of the fires remains wildly > fuzzy at best. Best mapped info is here: > http://activefiremaps.fs.fed.us/kml/conus.kmz (note: you need google > earth) > - while a million people are forced to sit in parking lots and > auditoriums (as if panic were called for), only about 1000 people in > all of so cal are fighting fires (as if no one could help) > - Planes were scooping water from the pacific ocean to drop on Malibu, > tout suite, by early Monday morning. As of Wednesday morning, > officials are still TALKING about doing the same here. It has nothing > to do with wind conditions; same lie they used 4 years ago. > > > While it's depicted on the news as a wild inferno racing to wipe out > the western seaboard, the reality is that it's mostly low brush fires > in scantly covered (semi-desert) unpopulated areas. It's a tragedy for > wildlife, but mostly it's just insane overreaction (and underreaction) > re people. The news picks the most impressive clips (i.e. a house or > patch of trees in inferno), rather than the prevalent lowscale desert > brush fire, and loops that image over and over. Most of the 1,000,000 > people evacuated were in no danger at all. > > Most of the 1200 houses were randomly hit (i.e. one destroyed, while > neighbors were untouched). This indicates that in many cases a person > with a garden hose could have put out the incipient fires on the spot, > before they consumed anything and grew. Not in all cases, of course, > but when an ember hits, it's going to start a SMALL fire, and a quick > garden hose can put it out (whereas a firetruck hours later can only > try to calm the all-consuming inferno). > > So not only did this new "reverse 911 system" massively inconvenience > and frighten a MILLION people, and nearly shut down the whole county, > it also removed all witnesses to small brush fires becoming infernos > due to the fact that no one was there to do the least thing to prevent > spreading to big fuel (ie. trees and houses). > > Insanity. Kind of like dutifully confiscating toothpaste and nail > clippers, while allowing 75% of bombs through airport security. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From andy at minstersystems.co.uk Thu Oct 25 12:42:49 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Thu, 25 Oct 2007 18:42:49 +0100 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <005001c8171f$7b3efe10$0301a8c0@HAL9005> Message-ID: <000001c8172e$769a0940$8b408552@minster33c3r25> Rocky, posts about your safety are always on-topic AFAIC. Great to hear you're ok. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: 25 October 2007 16:56 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires > > > Yeah, AOK today (if I can impose on the moderator for one > more update). Worse air quality this morning, very smoky. > Fires are burning towards the east as the Santa Ana has > broken down. Big fires in Camp Pendleton and Mount Palomar. > Some homes in Rancho Santa Fe burned - just east of us. But > we're not in any danger of burning now. There's a lot of > coverage including > a lots of video on line if people are interested. > > The local paper: http://www.signonsandiego.com/ > CBS affiliate: http://www.cbs8.com/ > NBC affiliate: http://www.nbcsandiego.com/index.html probably > the best for pictures and video. > > I'd like to thank everybody who asked on-line and off-line > about us, for your concern and your prayers. > > (OK, Andy, I'm done.) > > Best to all > > Rocky > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Thursday, October 25, 2007 8:18 AM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] Good to hear - was RE: San Diego Fires > > Rocky, I was SERIOUSLY worried that our Southern California > AccessD conference location was in danger. Oh yea, and that > you and your family were safe as well... > > ;-) > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Rocky Smolin at Beach Access Software > Sent: Wednesday, October 24, 2007 10:59 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] San Diego Fires > > We're back and safe. We had most of Monday to prepare to > evacuate. Didn't know if the fires would get to the coast > but it was predicted. There's really no way to stop a fire > in that wind. Air tankers and helicopters can't go up. It > came within about 5-10 miles of Del Mar. You can get al the > maps and stats at http://www.signonsandiego.com/ > > It's not over. Containment of the fires is still between 0 > and 10 percent. Bu, unless something changes radically, we're > going to unpack today. > > Rocky > > > > > > > > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby > Sent: Wednesday, October 24, 2007 6:43 AM > To: 'Access Developers discussion and problem solving' > Subject: [AccessD] San Diego Fires > > For those who don't read the news, San Diego county is > burning, tens of square miles of land with thousands of > buildings lost already and no end in sight. The fires have > been moving towards Rocky's home from what I can tell. > > Rocky, are you still at home and how are you doing? I > understand Rancho Santa Fe is burning and the fire apparently > is just across the freeway from your neighborhood. Is there > anyone else on the list being affected by this fire? > > Let's keep these people in our prayers folks, they need more > than firefighters to put this thing out. > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.6/1086 - Release > Date: 10/22/2007 7:57 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > No virus found in this incoming message. > Checked by AVG Free Edition. > Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release > Date: 10/24/2007 2:31 PM > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From greg at worthey.com Thu Oct 25 12:45:21 2007 From: greg at worthey.com (Greg Worthey) Date: Thu, 25 Oct 2007 10:45:21 -0700 Subject: [AccessD] Intelligence subjugated to database computations In-Reply-To: References: Message-ID: <00d001c8172e$d18b4940$1901a8c0@wsp21> John, Truly, your intellect is dizzying. Full of worst-possible assumptions, reality aside. Please know that you're well in the majority. "There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc." That's how it should be, yes. But alas your faith is unrequited. Five days later, emergency officials still profess shocking ignorance, without challenge/question. Shockingly understaffed firefighters. No water drops. Most people are too in awe to question anything. Don't worry, your wild worst-case imaginings and blind faith is fully in the majority. "How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke?" Well, I said five died, not 8, but they had been indoors with filtered air, before the experts upheaved them. The damage overall is very scattered, and very slight compared to the panic. "And precisely right, why not 10 million or 100 million? ... How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out?" Yeah, perhaps the whole western seaboard should evac, weeks instead of days in advance, just in case. Airlift to Hawaii! (There were no traffic jams.) You are normally level-headed, I assume. "And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away?" People used to be entrusted with judgment; responsible for their own lives. And people have cars--this is not a flood or a tornado, it's just fire. Moves slow. Look at the map. Please don't panic John, everything will be ok. "Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks." Uh, yeah. Let's lock them inside, and order them not to evacuate. It's strange how the reactionary panic is supported from so far away, even when you have less info than we do. Anyone is free to leave whenever they want; the question is the necessity of forcing people and striking needless fear and hardship. Reality is, the danger was relatively small and scant compared to the evac. Believe me, there's no shortage of wild imaginations. Fox & friends even suggested alqueda was responsible! "I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? ... "idiot decision"..." You used the word idiots, not me. Why are you quoting things I didn't say? You seem very panicked. "I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions." I didn't ridicule. I criticized, and rationally. You are ridiculing. It's really scary how these sorts of things invoke blind faith in random unknown officials, and delete the ability for rational conversation. Really, you're not alone John. I just hope people can regain some common sense before the next round of fires... or the next duct-tape frenzy... A database is not the solution for everything. Greg From jwcolby at colbyconsulting.com Thu Oct 25 12:53:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 13:53:10 -0400 Subject: [AccessD] Intelligence subjugated to database computations In-Reply-To: <00d001c8172e$d18b4940$1901a8c0@wsp21> References: <00d001c8172e$d18b4940$1901a8c0@wsp21> Message-ID: <00be01c8172f$e8e9b030$697aa8c0@M90> ROTFL, indeed it is. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Greg Worthey Sent: Thursday, October 25, 2007 1:45 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Intelligence subjugated to database computations John, Truly, your intellect is dizzying. Full of worst-possible assumptions, reality aside. Please know that you're well in the majority. "There are people trying to make these decisions based on information like the current size of the fire, direction and speed of the wind, the current location of fire crews, the number of trained firemen and equipment available, evacuation routes, available police, available medics and other trained emergency crews etc." That's how it should be, yes. But alas your faith is unrequited. Five days later, emergency officials still profess shocking ignorance, without challenge/question. Shockingly understaffed firefighters. No water drops. Most people are too in awe to question anything. Don't worry, your wild worst-case imaginings and blind faith is fully in the majority. "How many of the million evacuated would have been deaths just because they were 90 years old and couldn't breath the smoke without dying. How many of the eight who actually died would have died anyway from just being there breathing smoke?" Well, I said five died, not 8, but they had been indoors with filtered air, before the experts upheaved them. The damage overall is very scattered, and very slight compared to the panic. "And precisely right, why not 10 million or 100 million? ... How many houses might burn to the ground because you did not evacuate a neighborhood until too late and then the equipment could not get in because of traffic jams of people trying to get out?" Yeah, perhaps the whole western seaboard should evac, weeks instead of days in advance, just in case. Airlift to Hawaii! (There were no traffic jams.) You are normally level-headed, I assume. "And how long should the men stay? Until the fire is in the block behind them? Two blocks away? A half mile away?" People used to be entrusted with judgment; responsible for their own lives. And people have cars--this is not a flood or a tornado, it's just fire. Moves slow. Look at the map. Please don't panic John, everything will be ok. "Of the 100 adult males in the blocks around you how many would DIE OF A HEART ATTACK from ANY physical exertion? So let's ask every adult male to stick around and lose 1 out of 100 of them to heart attacks." Uh, yeah. Let's lock them inside, and order them not to evacuate. It's strange how the reactionary panic is supported from so far away, even when you have less info than we do. Anyone is free to leave whenever they want; the question is the necessity of forcing people and striking needless fear and hardship. Reality is, the danger was relatively small and scant compared to the evac. Believe me, there's no shortage of wild imaginations. Fox & friends even suggested alqueda was responsible! "I also assume that you were right down there offering your scientifically proofed advice to the "idiots" running the show? ... "idiot decision"..." You used the word idiots, not me. Why are you quoting things I didn't say? You seem very panicked. "I repeat, it is easy to second guess, and it is easy to ridicule the efforts of those who are put on the spot to make those decisions." I didn't ridicule. I criticized, and rationally. You are ridiculing. It's really scary how these sorts of things invoke blind faith in random unknown officials, and delete the ability for rational conversation. Really, you're not alone John. I just hope people can regain some common sense before the next round of fires... or the next duct-tape frenzy... A database is not the solution for everything. Greg -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From carbonnb at gmail.com Thu Oct 25 13:17:47 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 25 Oct 2007 14:17:47 -0400 Subject: [AccessD] So Cal fires perspective In-Reply-To: References: <00ba01c81724$558266d0$1901a8c0@wsp21> Message-ID: On 10/25/07, Charlotte Foust wrote: > You're entitled to your opinions, but the Santa Anas made water drops > impossible a good portion of the time. Please don't keep THIS fire > burning! ;0} No worries. This thread is now dead. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From carbonnb at gmail.com Thu Oct 25 13:30:58 2007 From: carbonnb at gmail.com (Bryan Carbonnell) Date: Thu, 25 Oct 2007 14:30:58 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <000001c8172e$769a0940$8b408552@minster33c3r25> References: <005001c8171f$7b3efe10$0301a8c0@HAL9005> <000001c8172e$769a0940$8b408552@minster33c3r25> Message-ID: On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to hear > you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" From jwcolby at colbyconsulting.com Thu Oct 25 13:38:23 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Thu, 25 Oct 2007 14:38:23 -0400 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: References: <005001c8171f$7b3efe10$0301a8c0@HAL9005><000001c8172e$769a0940$8b408552@minster33c3r25> Message-ID: <00c701c81736$3a0fb580$697aa8c0@M90> Now c'mon Bryan, where would the list be without my dizzying intellect (completely void of any grip on reality) and humble opinions full of worst case assumptions? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Thursday, October 25, 2007 2:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to > hear you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Thu Oct 25 13:43:14 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 11:43:14 -0700 Subject: [AccessD] Good to hear - was RE: San Diego Fires In-Reply-To: <00c701c81736$3a0fb580$697aa8c0@M90> References: <005001c8171f$7b3efe10$0301a8c0@HAL9005><000001c8172e$769a0940$8b408552@minster33c3r25> <00c701c81736$3a0fb580$697aa8c0@M90> Message-ID: <008601c81736$e72ce0d0$0301a8c0@HAL9005> Dryer, more factual, and much less entertaining. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Thursday, October 25, 2007 11:38 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires Now c'mon Bryan, where would the list be without my dizzying intellect (completely void of any grip on reality) and humble opinions full of worst case assumptions? ;-) John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Bryan Carbonnell Sent: Thursday, October 25, 2007 2:31 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Good to hear - was RE: San Diego Fires On 10/25/07, Andy Lacey wrote: > Rocky, posts about your safety are always on-topic AFAIC. Great to > hear you're ok. Or any other member for that matter. Well maybe not JC ;) Naw, yea him too :) It's the editorializing of the other stuff that isn't OK. -- Bryan Carbonnell - carbonnb at gmail.com Life's journey is not to arrive at the grave safely in a well preserved body, but rather to skid in sideways, totally worn out, shouting "What a great ride!" -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.10/1091 - Release Date: 10/24/2007 2:31 PM From DWUTKA at Marlow.com Thu Oct 25 14:26:19 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Thu, 25 Oct 2007 14:26:19 -0500 Subject: [AccessD] Access as web backend In-Reply-To: Message-ID: Something else to keep in mind. If you are working directly with the data, you could be locking it up. That is why my apps pull the data into classes. It only touches the data when necessary, everything else is done through the data stored within classes and collections. (and be sure to only use the locks necessary, ie, if you aren't going to change the data, keep it read only) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 10:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From Jim.Hale at FleetPride.com Thu Oct 25 14:55:09 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Thu, 25 Oct 2007 14:55:09 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: Good stuff, thanks Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Thursday, October 25, 2007 2:26 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Something else to keep in mind. If you are working directly with the data, you could be locking it up. That is why my apps pull the data into classes. It only touches the data when necessary, everything else is done through the data stored within classes and collections. (and be sure to only use the locks necessary, ie, if you aren't going to change the data, keep it read only) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Thursday, October 25, 2007 10:13 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend I'll dig into the web developer's code and let you know. I have no experience with asp so at the moment I am clueless. Jim hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Lawrence Mrazek Sent: Thursday, October 25, 2007 9:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Access as web backend Hi Jim: How are you connecting to the db? Basically, what type of connection string are you using? (DSNLESS, OBDC, ADO, OLEDB, etc.) I've run sites off Access and generally haven't had any problems. You want to make sure your recordsets only pull the data you need (avoid the "select * from tblproduct" type statements). Larry Mrazek LCM Research, Inc. www.lcm-res.com lmrazek at lcm-res.com ph. 314-432-5886 mobile: 314-496-1645 *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From fuller.artful at gmail.com Thu Oct 25 21:46:45 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Thu, 25 Oct 2007 22:46:45 -0400 Subject: [AccessD] Two Questions and a Joke Message-ID: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> 1. What's a legal alien? 2. When someone says I slept like a baby, do they mean waking up every two hours screaming, with a full diaper? Three statisticians went duck hunting. The first one shot 5 feet too high. The second one shot 5 feet too low. The third one said, "We got him!" Arthur From john at winhaven.net Thu Oct 25 22:28:56 2007 From: john at winhaven.net (John Bartow) Date: Thu, 25 Oct 2007 22:28:56 -0500 Subject: [AccessD] Query oddity Message-ID: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 1. ) This is the SQL for the row source of a ListBox (on screen aid) that basically shows the user a miniature summation of what they have already entered in a time sheet: SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); This works as expected EXCEPT when the date is today. Which, of course, happens to be the most usual case in end user experience. I created a separate, identical query and ran it while using the form to try figure out what is going on. It reacts the same way. The query always works except when the date is today. I hard coded the date into the query with no better results. I'm running on empty - anyone else have an idea? From anitatiedemann at gmail.com Thu Oct 25 22:40:46 2007 From: anitatiedemann at gmail.com (Anita Smith) Date: Fri, 26 Oct 2007 13:40:46 +1000 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: Perhaps there is time involved. Try formatting the field and the criteria: WHERE Format(TimeDate, "dd-mmm-yyyy") = Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") Anita On 10/26/07, John Bartow wrote: > > I have recently found a couple of issues in an app converted from A97 to > A2k3. The items of questions worked in A97 but fail in A2k3. > > Problem 1. ) > > This is the SQL for the row source of a ListBox (on screen aid) that > basically shows the user a miniature summation of what they have already > entered in a time sheet: > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > tlkActType.fldActTypeCode > FROM tlkProgram RIGHT JOIN (tlkHourType RIGHT JOIN (tlkActType RIGHT JOIN > tblStaffTime ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > tlkProgram.fldProgID = tblStaffTime.fldProgID > WHERE (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > This works as expected EXCEPT when the date is today. Which, of course, > happens to be the most usual case in end user experience. > > I created a separate, identical query and ran it while using the form to > try > figure out what is going on. It reacts the same way. The query always > works > except when the date is today. I hard coded the date into the query with > no > better results. > > I'm running on empty - anyone else have an idea? > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From andy at minstersystems.co.uk Fri Oct 26 01:10:52 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 07:10:52 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> Message-ID: <000d01c81796$f6fbced0$8b408552@minster33c3r25> Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of > Arthur Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking > up every two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 > feet too high. The second one shot 5 feet too low. The third > one said, "We got him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From andy at minstersystems.co.uk Fri Oct 26 01:18:51 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 07:18:51 +0100 Subject: [AccessD] Query oddity In-Reply-To: Message-ID: <001801c81798$13abe780$8b408552@minster33c3r25> Hi John I had the same thought as Anita - I'll bet it's the fact that you're storing date AND time. Not sure then though why other dates would work but then we don't know what you know. If it is that though an alternative to Anita's solution is to wrap Int() around the dates. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > Sent: 26 October 2007 04:41 > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Query oddity > > > Perhaps there is time involved. > > Try formatting the field and the criteria: > WHERE Format(TimeDate, "dd-mmm-yyyy") = > Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") > > Anita > > > > On 10/26/07, John Bartow wrote: > > > > I have recently found a couple of issues in an app > converted from A97 > > to A2k3. The items of questions worked in A97 but fail in A2k3. > > > > Problem 1. ) > > > > This is the SQL for the row source of a ListBox (on screen > aid) that > > basically shows the user a miniature summation of what they have > > already entered in a time sheet: > > > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > > tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType > > RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON > > tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > > tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE > > (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > > > This works as expected EXCEPT when the date is today. Which, of > > course, happens to be the most usual case in end user experience. > > > > I created a separate, identical query and ran it while > using the form > > to try figure out what is going on. It reacts the same way. > The query > > always works > > except when the date is today. I hard coded the date into > the query with > > no > > better results. > > > > I'm running on empty - anyone else have an idea? > > > > > > > > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From rockysmolin at bchacc.com Fri Oct 26 01:43:09 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Thu, 25 Oct 2007 23:43:09 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <000d01c81796$f6fbced0$8b408552@minster33c3r25> References: <29f585dd0710251946h7d0c51c9v5472f2d8990c2989@mail.gmail.com> <000d01c81796$f6fbced0$8b408552@minster33c3r25> Message-ID: <012901c8179b$78eae990$0301a8c0@HAL9005> Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From darren at activebilling.com.au Fri Oct 26 02:13:33 2007 From: darren at activebilling.com.au (Darren D) Date: Fri, 26 Oct 2007 17:13:33 +1000 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <012901c8179b$78eae990$0301a8c0@HAL9005> Message-ID: <200710260713.l9Q7DXbw015797@databaseadvisors.com> 3 men walk into a bar Mmm - you'd think one of them would have seen it -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, 26 October 2007 4:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Chris.Foote at uk.thalesgroup.com Fri Oct 26 02:23:12 2007 From: Chris.Foote at uk.thalesgroup.com (Foote, Chris) Date: Fri, 26 Oct 2007 08:23:12 +0100 Subject: [AccessD] Two Questions and a Joke Message-ID: <7303A459C921B5499AF732CCEEAD2B7F064D1222@craws161660.int.rdel.co.uk> Or... A blond goes for a job interview. She sits down in front of the interviewer who asks her how old she is. The blond takes a calculator out of her handbag, after a couple of key presses she replies '24. Next, the interviewer asks her how tall she is. This time she removes a tape measure from her bag, stands up, and measures her height, reading the tape she replies '5 ft 4 inches'. The next question is 'what is your name'. The blond sways her head from side to side, humming to herself for 15 seconds and then replies 'Cindy'. Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says the blond, 'I was running through that song in my head'. 'Song?' said the interviewer 'What song?'. 'You know' replies the blond, 'the one that goes "Happy birthday to you, happy birthday to you.......'. (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of hearing statistician) > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey > Sent: Friday, October 26, 2007 7:11 AM > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Two Questions and a Joke > > > Oh hurrah for some friday humour. Whatever happened to that? How about > > A guy goes to the doctor and says, "Doctor, I think I'm > going deaf." > > The doctor says, "What are the symptoms?" > > The guy says, "They're a disfunctional cartoon family with > yellow heads." > > -- Andy Lacey > http://www.minstersystems.co.uk > From jwcolby at colbyconsulting.com Fri Oct 26 04:39:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 05:39:27 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <200710260713.l9Q7DXbw015797@databaseadvisors.com> References: <012901c8179b$78eae990$0301a8c0@HAL9005> <200710260713.l9Q7DXbw015797@databaseadvisors.com> Message-ID: <000901c817b4$1afefdd0$697aa8c0@M90> Nawww, they just stumbled out of the bar across the street. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Friday, October 26, 2007 3:14 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke 3 men walk into a bar Mmm - you'd think one of them would have seen it -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, 26 October 2007 4:43 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Dad: I just spent $4800 on the best and very finest, most technologically advanced hearing aid ever made. Son: Really what kind is it? Dad: About four thirty. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Andy Lacey Sent: Thursday, October 25, 2007 11:11 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Oh hurrah for some friday humour. Whatever happened to that? How about A guy goes to the doctor and says, "Doctor, I think I'm going deaf." The doctor says, "What are the symptoms?" The guy says, "They're a disfunctional cartoon family with yellow heads." -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur > Fuller > Sent: 26 October 2007 03:47 > To: Access Developers discussion and problem solving > Subject: [AccessD] Two Questions and a Joke > > > 1. What's a legal alien? > 2. When someone says I slept like a baby, do they mean waking up every > two hours screaming, with a full diaper? > > Three statisticians went duck hunting. The first one shot 5 feet too > high. The second one shot 5 feet too low. The third one said, "We got > him!" > > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Fri Oct 26 05:03:20 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Fri, 26 Oct 2007 06:03:20 -0400 Subject: [AccessD] Query oddity In-Reply-To: <001801c81798$13abe780$8b408552@minster33c3r25> References: <001801c81798$13abe780$8b408552@minster33c3r25> Message-ID: <29f585dd0710260303i54ec0165s38d85534c8fec8b@mail.gmail.com> I agree. If your form is asking for just the date, then you should revise the code to compare against just the date portion of the SQL column. Here's a function that does this: >code> CREATE FUNCTION [dbo].[JustDate_fn] ( @date datetime ) RETURNS varchar(10) AS BEGIN RETURN ( CONVERT(varchar(10), at date,101) ) END <./code> While I'm at it, here's a function that returns just the time portion of a SQL datetime column: CREATE FUNCTION [dbo].[JustTime_fn] ( @fDate datetime ) RETURNS varchar(10) AS BEGIN RETURN ( CONVERT(varchar(7),right(@fDate,7),101) ) END hth, Arthur On 10/26/07, Andy Lacey wrote: > > Hi John > I had the same thought as Anita - I'll bet it's the fact that you're > storing > date AND time. Not sure then though why other dates would work but then we > don't know what you know. If it is that though an alternative to Anita's > solution is to wrap Int() around the dates. > > -- Andy Lacey > http://www.minstersystems.co.uk > > > -----Original Message----- > > From: accessd-bounces at databaseadvisors.com > > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Anita Smith > > Sent: 26 October 2007 04:41 > > To: Access Developers discussion and problem solving > > Subject: Re: [AccessD] Query oddity > > > > > > Perhaps there is time involved. > > > > Try formatting the field and the criteria: > > WHERE Format(TimeDate, "dd-mmm-yyyy") = > > Format([Forms]![frmEnterTime]![txtTimeDate], "dd-mmm-yyyy") > > > > Anita > > > > > > > > On 10/26/07, John Bartow wrote: > > > > > > I have recently found a couple of issues in an app > > converted from A97 > > > to A2k3. The items of questions worked in A97 but fail in A2k3. > > > > > > Problem 1. ) > > > > > > This is the SQL for the row source of a ListBox (on screen > > aid) that > > > basically shows the user a miniature summation of what they have > > > already entered in a time sheet: > > > > > > SELECT tblStaffTime.fldTimeID, tblStaffTime.fldStfID, > > > tblStaffTime.fldTimeDate, tblStaffTime.fldTimeHours AS Hours, > > > tlkHourType.fldHrsType AS [Type of Hours], tlkProgram.fldProgName, > > > tlkActType.fldActTypeCode FROM tlkProgram RIGHT JOIN (tlkHourType > > > RIGHT JOIN (tlkActType RIGHT JOIN tblStaffTime ON > > > tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) ON > > > tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) ON > > > tlkProgram.fldProgID = tblStaffTime.fldProgID WHERE > > > (((tblStaffTime.fldStfID)=[Forms]![frmEnterTime]![txtStfID]) AND > > > ((tblStaffTime.fldTimeDate)=[Forms]![frmEnterTime]![txtTimeDate])); > > > > > > This works as expected EXCEPT when the date is today. Which, of > > > course, happens to be the most usual case in end user experience. > > > > > > I created a separate, identical query and ran it while > > using the form > > > to try figure out what is going on. It reacts the same way. > > The query > > > always works > > > except when the date is today. I hard coded the date into > > the query with > > > no > > > better results. > > > > > > I'm running on empty - anyone else have an idea? > > > > > > > > > > > > > > > > > > -- > > > AccessD mailing list > > > AccessD at databaseadvisors.com > > > http://databaseadvisors.com/mailman/listinfo/accessd > > > Website: http://www.databaseadvisors.com > > > > > -- > > AccessD mailing list > > AccessD at databaseadvisors.com > > http://databaseadvisors.com/mailman/listinfo/accessd > > Website: http://www.databaseadvisors.com > > > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From ewaldt at gdls.com Fri Oct 26 06:28:33 2007 From: ewaldt at gdls.com (ewaldt at gdls.com) Date: Fri, 26 Oct 2007 07:28:33 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: Message-ID: I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. From ssharkins at gmail.com Fri Oct 26 07:49:34 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 08:49:34 -0400 Subject: [AccessD] Two Questions and a Joke References: <7303A459C921B5499AF732CCEEAD2B7F064D1222@craws161660.int.rdel.co.uk> Message-ID: <005d01c817ce$c1facc80$4b3a8343@SusanOne> My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer > who asks her how old she is. The blond takes a calculator out of her > handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes a > tape > measure from her bag, stands up, and measures her height, reading the tape > she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head from > side > to side, humming to herself for 15 seconds and then replies 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says the > blond, 'I was running through that song in my head'. 'Song?' said the > interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to you, > happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') > Chris Foote > (Hard of hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How about >> >> A guy goes to the doctor and says, "Doctor, I think I'm >> going deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with >> yellow heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 26 07:50:38 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 08:50:38 -0400 Subject: [AccessD] Eliminating lines of text before importing References: Message-ID: <006001c817ce$d21766f0$4b3a8343@SusanOne> The number of blank lines won't deviate? Susan H. >I have a semicolon-delimited text file coming in from another operating > system. The data I want to import begins on line 66. How can I tell Access > to either delete the first 65 lines before importing the data, or just > start importing on line 66? At this point the user has to delete the first > 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), > and am using VBA, of course. From max.wanadoo at gmail.com Fri Oct 26 07:59:36 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 26 Oct 2007 13:59:36 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <005d01c817ce$c1facc80$4b3a8343@SusanOne> Message-ID: <00b401c817d0$107ad160$8119fea9@LTVM> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer who asks her how old she is. The blond takes a calculator > out of her handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes > a tape measure from her bag, stands up, and measures her height, > reading the tape she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head > from side to side, humming to herself for 15 seconds and then replies > 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says > the blond, 'I was running through that song in my head'. 'Song?' said > the interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to > you, happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of > hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How >> about >> >> A guy goes to the doctor and says, "Doctor, I think I'm going >> deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with yellow >> heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 08:21:47 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 09:21:47 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: Message-ID: <000a01c817d3$2b0c16d0$697aa8c0@M90> I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rusty.hammond at cpiqpc.com Fri Oct 26 09:02:34 2007 From: rusty.hammond at cpiqpc.com (rusty.hammond at cpiqpc.com) Date: Fri, 26 Oct 2007 09:02:34 -0500 Subject: [AccessD] Two Questions and a Joke Message-ID: <8301C8A868251E4C8ECD3D4FFEA40F8A2584BF7B@cpixchng-1.cpiqpc.net> Do you know what a boobee is? It's an insect that hides behinds flowers and scares bees! p.s. I try to get my kids to tell their teachers that joke and none of them will -----Original Message----- From: max.wanadoo at gmail.com [mailto:max.wanadoo at gmail.com] Sent: Friday, October 26, 2007 8:00 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. > Or... > > A blond goes for a job interview. She sits down in front of the > interviewer who asks her how old she is. The blond takes a calculator > out of her handbag, after a couple of key presses she replies '24. > > Next, the interviewer asks her how tall she is. This time she removes > a tape measure from her bag, stands up, and measures her height, > reading the tape she replies '5 ft 4 inches'. > > The next question is 'what is your name'. The blond sways her head > from side to side, humming to herself for 15 seconds and then replies > 'Cindy'. > > Intrigued, the interviewer says 'what were you doing then?'. 'Oh' says > the blond, 'I was running through that song in my head'. 'Song?' said > the interviewer 'What song?'. > > 'You know' replies the blond, 'the one that goes "Happy birthday to > you, happy birthday to you.......'. > > (Apologies to blonds and people named 'Cindy') Chris Foote (Hard of > hearing statistician) > >> -----Original Message----- >> From: accessd-bounces at databaseadvisors.com >> [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of Andy Lacey >> Sent: Friday, October 26, 2007 7:11 AM >> To: 'Access Developers discussion and problem solving' >> Subject: Re: [AccessD] Two Questions and a Joke >> >> >> Oh hurrah for some friday humour. Whatever happened to that? How >> about >> >> A guy goes to the doctor and says, "Doctor, I think I'm going >> deaf." >> >> The doctor says, "What are the symptoms?" >> >> The guy says, "They're a disfunctional cartoon family with yellow >> heads." >> >> -- Andy Lacey >> http://www.minstersystems.co.uk >> > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com ********************************************************************** WARNING: All e-mail sent to and from this address will be received, scanned or otherwise recorded by the CPI Qualified Plan Consultants, Inc. corporate e-mail system and is subject to archival, monitoring or review by, and/or disclosure to, someone other than the recipient. ********************************************************************** From shait at stephenhait.com Fri Oct 26 09:04:44 2007 From: shait at stephenhait.com (Stephen Hait) Date: Fri, 26 Oct 2007 10:04:44 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <00b401c817d0$107ad160$8119fea9@LTVM> References: <005d01c817ce$c1facc80$4b3a8343@SusanOne> <00b401c817d0$107ad160$8119fea9@LTVM> Message-ID: A cowboy stopped in a wayside tavern for a beer. When he was ready to move on, his horse was gone. He returned to the tavern and shot a hole in the ceiling and proclaimed his horse had better be there when he finished another beer or he might have to do what he done in Texas -- and he didn't want to have to do what he done in Texas. His horse re-appeared and he climbed on -- but the bartender came out and said he was curious about what he did in Texas. "I had to walk home." Stephen From markamatte at hotmail.com Fri Oct 26 09:11:55 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Fri, 26 Oct 2007 14:11:55 +0000 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: Message-ID: I have a DB that imports a text file where every other line is blank. I just run a delete query AFTER the import...to remove the unwanted rows. Another aproach would be to open the file for input and output and remove lines you don't want. Will the file import without deleting the unwanted rows (as is)? Thanks, Mark A. Matte > To: accessd at databaseadvisors.com> From: ewaldt at gdls.com> Date: Fri, 26 Oct 2007 07:28:33 -0400> Subject: [AccessD] Eliminating lines of text before importing> > I have a semicolon-delimited text file coming in from another operating > system. The data I want to import begins on line 66. How can I tell Access > to either delete the first 65 lines before importing the data, or just > start importing on line 66? At this point the user has to delete the first > 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), > and am using VBA, of course.> > TIA.> > Thomas F. Ewald> Stryker Mass Properties> General Dynamics Land Systems> > > This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated.> > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Help yourself to FREE treats served up daily at the Messenger Caf?. Stop by today. http://www.cafemessenger.com/info/info_sweetstuff2.html?ocid=TXT_TAGLM_OctWLtagline From mfisch4 at capex.com.ar Fri Oct 26 09:18:31 2007 From: mfisch4 at capex.com.ar (MF) Date: Fri, 26 Oct 2007 11:18:31 -0300 Subject: [AccessD] No Question and several Jokes In-Reply-To: References: <005d01c817ce$c1facc80$4b3a8343@SusanOne> <00b401c817d0$107ad160$8119fea9@LTVM> Message-ID: <200710261418.l9QEIZg8013008@databaseadvisors.com> Two neighboring farmers cannot stop feuding. One, out hunting, shoots a duck which falls inside the other's field. Climbing over the fence, he is stopped by farmer #2 who claims the duck as his since it ended up in his field. After much arguing farmer #2 states that he is prepared to settle the matter by the Viking method. He explains that the method involves kicking each other in turn between the legs until one gives up, and the other is the winner. Farmer #1 agrees reluctantly. Farmer #2 states that since they are on his land, he goes first. Farmer #1 stands with legs apart and hands on hips while Farmer #2 takes an almighty swing with his foot and sends farmer #1 into the air. After ten minutes writhing on the ground farmer #1 eventually gets to his feet and prepares to take his turn. Farmer #2 turns and walks away saying " O.K. I give in! You keep the duck!" --------------------------------------------------------------------------------------------------------------------------------------- First Kid : "My dad is a doctor." Second kid : "My dad is a lawyer." First kid : "Honest?" Second kid : "No, just regular." --------------------------------------------------------------------------------------------------------------------------------------- What do vampires cross the sea in? Blood vessels! --------------------------------------------------------------------------------------------------------------------------------------- Have you heard about the magic tractor? It turned into a field. --------------------------------------------------------------------------------------------------------------------------------------- Did you hear about the farmer who won an award? He was out standing in his field. --------------------------------------------------------------------------------------------------------------------------------------- Zebidiah Zacariah joined the army, before long there was a call to war and they all lined up to receive their kit. Now because the army did everything in alphabetical order Zebidiah Zacariah was always last in line. Whenhe got to the head of the line for his rifle there were none left so the seargent gave him a broom and said 'point this at the enemy and yell bang bang gun!' Zebidiah wasn't to bright so he accepted his broom with glee. The smae thing happened in the line for grenades and he was given lemons and told 'Hurl these at the enemy yelling Boom Boom grenade and youll be right. He went to war and the battling was fierce, he threw his lemons and bang banged on his gun for all he was worth. Soon he looked around and realized there was only him and a guy from the other side left alive, he pulled out his broom and yelled'Bang Bang Gun!' but the guy kept on coming so he hauled off with his lemons yelling 'Boom Boom grenade! and still the guy kept on coming ...until he was almost right on top of Zebidiah and Zebidiah heard him say " Rumble Rumble Tank!" --------------------------------------------------------------------------------------------------------------------------------------- A man and a woman were dating. She, being from a rather conservative religious background, had held back the worldly pleasures that he wanted from her so bad. In fact, he had never even seen her naked. One day, as they driving down the freeway, she remarked about his slow driving habits. "I can't stand it anymore, " she told him. "Look, let's play a game. For every 5 miles per hour over the speed limit you drive, I'll remove one piece of clothing." He of course enthusiastically agreed and began speeding up the car. He reached the 55 MPH mark, so she took off her blouse. At 60 off came the pants. At 65 it was her bra and at 70 her panties. Now seeing her naked for the first time and traveling faster than he ever had before, the man became very excited and lost control of the car. He sweered off the road, over an embankment, and wrapped the car around a tree. Luckily for her, the girlfriend was thrown clear, but he was trapped inside. She tried mightily to pull him free, but alas he was stuck. "Go to the road and get help, " he said weakly. "I don't have anything to cover myself with, my clothes are all still in the car and I can't reach them! " she replied. The man felt around, but could only reach one of his shoes. "You'll have to put this between your legs to cover it up," he told her. So she did as he said and went up to the road for help. Along came a truck driver behind an 18-wheeler. Seeing a naked, crying woman along the road, he naturally pulled over to hear her story. "My boyfriend! My boyfriend! " she sobed, "He's stuck and I can't pull him out!" The truck driver looking down at the shoe between her legs replies, "Ma'am, if he's in that far, I'm afraid he's a goner! --------------------------------------------------------------------------------------------------------------------------------------- Q. What do you get if you drop a piano down a mine shaft? A. A flat minor. --------------------------------------------------------------------------------------------------------------------------------------- When Laura was three months pregnant she fell into a deep coma. Six months later, she awoke and asked the nearest doctor about the fate of her baby. "You had twins, a boy and a girl, and they are both fine," the doctor told her. "Luckily, your brother named them for you." "Oh no, not by brother! He's an idiot! What did he call the girl?" "Denise," the doctor replied. Thinking that isn't so bad, she asked, "And what did he call the boy?" The doctor answered, "Denephew." --------------------------------------------------------------------------------------------------------------------------------------- Teacher: "What is the outermost part of the tree trunk called?" Student: "I don't know, sir." Teacher: "Bark, boy, bark." Student: "Woof ? Woof!" -------------------------------------------------------------------------- From Gustav at cactus.dk Fri Oct 26 09:31:49 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Fri, 26 Oct 2007 16:31:49 +0200 Subject: [AccessD] Two Questions and a Joke Message-ID: Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. From Patricia.O'Connor at otda.state.ny.us Fri Oct 26 09:37:45 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 26 Oct 2007 10:37:45 -0400 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB08C@EXCNYSM0A1AI.nysemail.nyenet> The problem is if the table date is a full date with time. If you try the exact date you will either lose all those dates or 1/2 depending on when the time occurs. I ran into this against an ORACLE db. You can do two things 1) This is what I generally use in both straight access to oracle and passthrus. It works and saves me pain * select where the date is one day prior and after Where (Tbldt > #03/02/2007# and TblDt < #03/04/2007# ) WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] AND (tblStaffTime.fldTimeDate > ([Forms]![frmEnterTime]![txtTimeDate] -1) and tblStaffTime.fldTimeDate < ([Forms]![frmEnterTime]![txtTimeDate] + 1; 2) use this function FormatDateTime - I tried it against an Access table and it worked * add an extra column to your query gui without show checked * In the field portion put FormatDateTime(fldTimeDate, 2) * In the criteria put = [Forms]![frmEnterTime]![txtTimeDate] * Actual sql should look like * WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] AND (FormatDateTime(tblStaffTime.fldTimeDate,2) = ([Forms]![frmEnterTime]![txtTimeDate]) HTH Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Thursday, October 25, 2007 11:29 PM > To: _DBA-Access > Subject: [AccessD] Query oddity > > I have recently found a couple of issues in an app converted > from A97 to A2k3. The items of questions worked in A97 but > fail in A2k3. > > Problem 1. ) > > This is the SQL for the row source of a ListBox (on screen > aid) that basically shows the user a miniature summation of > what they have already entered in a time sheet: > > SELECT tblStaffTime.fldTimeID, > tblStaffTime.fldStfID, > tblStaffTime.fldTimeDate, > tblStaffTime.fldTimeHours AS Hours, > tlkHourType.fldHrsType AS [Type of Hours], > tlkProgram.fldProgName, > tlkActType.fldActTypeCode > FROM tlkProgram RIGHT JOIN (tlkHourType > RIGHT JOIN (tlkActType > RIGHT JOIN tblStaffTime > ON tlkActType.fldActTypeID = tblStaffTime.fldActTypeID) > ON tlkHourType.fldHrsTypeID = tblStaffTime.fldHrsTypeID) > ON tlkProgram.fldProgID = tblStaffTime.fldProgID > WHERE tblStaffTime.fldStfID =[Forms]![frmEnterTime]![txtStfID] > AND tblStaffTime.fldTimeDate =[Forms]![frmEnterTime]![txtTimeDate] ; > > This works as expected EXCEPT when the date is today. Which, > of course, happens to be the most usual case in end user experience. > > I created a separate, identical query and ran it while using > the form to try figure out what is going on. It reacts the > same way. The query always works except when the date is > today. I hard coded the date into the query with no better results. > > I'm running on empty - anyone else have an idea? > > > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From rockysmolin at bchacc.com Fri Oct 26 09:46:25 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Fri, 26 Oct 2007 07:46:25 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <001501c817de$fc4332a0$0301a8c0@HAL9005> The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From rockysmolin at bchacc.com Fri Oct 26 10:08:39 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Fri, 26 Oct 2007 08:08:39 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001501c817de$fc4332a0$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> Message-ID: <002f01c817e2$17909c20$0301a8c0@HAL9005> That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From jwcolby at colbyconsulting.com Fri Oct 26 10:15:06 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 11:15:06 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001501c817de$fc4332a0$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> Message-ID: <001f01c817e2$fe3764b0$697aa8c0@M90> I got all choked up and I threw down my gun And I called him my paw and he called me his son And I come away with a different point of view Well I think about him every now n then Every time I try n every time I win And if I ever have a boy, I think I'll call him... Bill or George... ANYTHING but Sue Some country legend or another -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 10:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky From cfoust at infostatsystems.com Fri Oct 26 10:17:35 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Fri, 26 Oct 2007 08:17:35 -0700 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002f01c817e2$17909c20$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> <002f01c817e2$17909c20$0301a8c0@HAL9005> Message-ID: >>(darn spell chequer) LOL Charlotte -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 8:09 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky From jwcolby at colbyconsulting.com Fri Oct 26 10:21:14 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 11:21:14 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002f01c817e2$17909c20$0301a8c0@HAL9005> References: <001501c817de$fc4332a0$0301a8c0@HAL9005> <002f01c817e2$17909c20$0301a8c0@HAL9005> Message-ID: <002b01c817e3$d9d4dc00$697aa8c0@M90> There aint enough room in this here email for three legs... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 11:09 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke That's three legged dog - three --> 3 <-- (darn spell chequer) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Friday, October 26, 2007 7:46 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke The legged dog walks into a bar and says :"I'm lookin' for the man who shot my paw." Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 7:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From reuben at gfconsultants.com Fri Oct 26 10:27:58 2007 From: reuben at gfconsultants.com (Reuben Cummings) Date: Fri, 26 Oct 2007 11:27:58 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <8301C8A868251E4C8ECD3D4FFEA40F8A2584BF7B@cpixchng-1.cpiqpc.net> Message-ID: I tried to get my son to tell a slightly different version... What did the ghost say to the bee? Boobee. I chuckle just writing it. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > rusty.hammond at cpiqpc.com > Sent: Friday, October 26, 2007 10:03 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > > Do you know what a boobee is? > > It's an insect that hides behinds flowers and scares bees! > > > p.s. I try to get my kids to tell their teachers that joke and > none of them > will From max.wanadoo at gmail.com Fri Oct 26 11:45:45 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Fri, 26 Oct 2007 17:45:45 +0100 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: <014201c817ef$a8779150$8119fea9@LTVM> This could work. An older, white haired man walked into a jewelry store one Friday evening with a beautiful young gal at his side. He told the jeweler he was looking for a special ring for his girlfriend. The jeweler looked through his stock and brought out a $5,000 ring. The old man said, "No, I'd like to see something more special." At that statement, the jeweler went to his special stock and brought another ring over. "Here's a stunning ring at only $40,000" the jeweler said. The young lady's eyes sparkled and her whole body trembled with excitement. The old man seeing this said, "We'll take it." The jeweler asked how payment would be made and the old man stated,"by check. I know you need to make sure my check is good, so I'll write it now and you can call the bank on Monday to verify the funds and I'll pick the ring up on Monday afternoon," he said. On Monday morning, the jeweler phoned the old man. "There's no money in that account." "I know," said the old man, "But let me tell you about my weekend! Don't mess with Old People. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 3:32 PM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 1:50 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke My all-time favorite: There's this guy who really loves his dog. He loves his dog more than anything in the world, but sadly, the dog has no legs. So much does this man love his dog that he has special wooden legs made for his dog, so he can walk and run. Then, one night, the house caught on fire. The dog burned to the ground. You have to be sort of sick to appreciate it... Susan H. P.S. No dogs are men were harmed in the preparation of this joke. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Jim.Hale at FleetPride.com Fri Oct 26 12:54:14 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 26 Oct 2007 12:54:14 -0500 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: Keep trying until its tomorrow? Sorry I couldn't resist :-) Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From ssharkins at gmail.com Fri Oct 26 13:34:09 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 14:34:09 -0400 Subject: [AccessD] ERP experts for writing job Message-ID: <005301c817fe$ce867730$4b3a8343@SusanOne> http://seeker.dice.com/jobsearch/servlet/JobSearch?op=302&dockey=xml/4/5/453382e3bcb86b1b72a7cdf457de1b49 at endecaindex&source=19&FREE_TEXT=writer ====I know some of you are experts in this area. Susan H. From DWUTKA at Marlow.com Fri Oct 26 13:54:33 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:54:33 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: Ya know, there are 10 types of people in this world. Those who understand binary, and those who don't. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 9:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 13:57:20 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:57:20 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <002b01c817e3$d9d4dc00$697aa8c0@M90> Message-ID: A hydrogen atom walks into a bar: Hydrogen Atom:"I think I lost my electron in here." Bartender:"Are you sure?" Hydrogen Atom:"I'm positive!" ;) Drew The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 13:57:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 13:57:57 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: My daughters first joke was why did the dog drink water? He didn't want to become a hot dog. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Reuben Cummings Sent: Friday, October 26, 2007 10:28 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke I tried to get my son to tell a slightly different version... What did the ghost say to the bee? Boobee. I chuckle just writing it. Reuben Cummings GFC, LLC 812.523.1017 > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > rusty.hammond at cpiqpc.com > Sent: Friday, October 26, 2007 10:03 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > > Do you know what a boobee is? > > It's an insect that hides behinds flowers and scares bees! > > > p.s. I try to get my kids to tell their teachers that joke and > none of them > will -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Fri Oct 26 14:02:40 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 14:02:40 -0500 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: <000a01c817d3$2b0c16d0$697aa8c0@M90> Message-ID: Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From ssharkins at gmail.com Fri Oct 26 14:04:13 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 15:04:13 -0400 Subject: [AccessD] Two Questions and a Joke References: Message-ID: <008401c81803$01eeb9d0$4b3a8343@SusanOne> You are SO 0 1 Susan H. > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > From DWUTKA at Marlow.com Fri Oct 26 14:20:54 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Fri, 26 Oct 2007 14:20:54 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <008401c81803$01eeb9d0$4b3a8343@SusanOne> Message-ID: Chr(84) Chr(104) Chr(97) Chr(110) Chr(107) Chr(115) Chr(68) Chr(114) Chr(101) Chr(119) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 2:04 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke You are SO 0 1 Susan H. > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From john at winhaven.net Fri Oct 26 14:22:32 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:22:32 -0500 Subject: [AccessD] Query oddity In-Reply-To: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01fa01c81805$8eb3f2c0$6402a8c0@ScuzzPaq> Thanks to all who responded. The DateTime field was the issue and formatting it for date only resolved the issue. Now, why did this work as originally written in A97. From john at winhaven.net Fri Oct 26 14:26:42 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:26:42 -0500 Subject: [AccessD] Query oddity In-Reply-To: References: <014701c81780$57fd4d10$6402a8c0@ScuzzPaq> Message-ID: <01fb01c81806$23be17b0$6402a8c0@ScuzzPaq> Jim, This will be my initial response to the customer :o))) -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Keep trying until its tomorrow? Sorry I couldn't resist :-) Jim Hale From john at winhaven.net Fri Oct 26 14:37:52 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 14:37:52 -0500 Subject: [AccessD] SQL between Message-ID: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 2. ) (Well, I guess this is more of a heads up.) SQL between is not inclusive. So now I have to do a between DATE1 -1 and between DATE2 +1 BTW I've always though it odd that it was inclusive but it seems to be many of the SQL products but not in others. Standards!? From ssharkins at gmail.com Fri Oct 26 14:42:06 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 15:42:06 -0400 Subject: [AccessD] Two Questions and a Joke References: Message-ID: <00da01c81808$4d01d5b0$4b3a8343@SusanOne> There goes that accent again... Susan H. > Chr(84) Chr(104) Chr(97) Chr(110) Chr(107) Chr(115) > > Chr(68) Chr(114) Chr(101) Chr(119) From markamatte at hotmail.com Fri Oct 26 15:12:17 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Fri, 26 Oct 2007 20:12:17 +0000 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: Someone mentioned this to me yesterday...but it was about A2K2. I tested on a number field and it WAS inclusive. Is it related to dates?...or what are the circumstances? Thanks, Mark A. Matte > From: john at winhaven.net> To: AccessD at databaseadvisors.com> Date: Fri, 26 Oct 2007 14:37:52 -0500> Subject: [AccessD] SQL between> > I have recently found a couple of issues in an app converted from A97 to> A2k3. The items of questions worked in A97 but fail in A2k3.> > Problem 2. )> > (Well, I guess this is more of a heads up.)> > SQL between is not inclusive. So now I have to do a between DATE1 -1 and> between DATE2 +1> > > > BTW I've always though it odd that it was inclusive but it seems to be many> of the SQL products but not in others. Standards!?> > > > -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Climb to the top of the charts!? Play Star Shuffle:? the word scramble challenge with star power. http://club.live.com/star_shuffle.aspx?icid=starshuffle_wlmailtextlink_oct From miscellany at mvps.org Fri Oct 26 15:17:06 2007 From: miscellany at mvps.org (Steve Schapel) Date: Sat, 27 Oct 2007 09:17:06 +1300 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <47224B42.8030908@mvps.org> John, Can you say more about the context in which you are seeing this problem. As far as I know, there has been no change in the behaviour of Between...And in Access 2003, and it certainly is inclusive for me, in query criteria, and in SQL strings constructed in VBA. Regards Steve John Bartow wrote: > I have recently found a couple of issues in an app converted from A97 to > A2k3. The items of questions worked in A97 but fail in A2k3. > > Problem 2. ) > > (Well, I guess this is more of a heads up.) > > SQL between is not inclusive. So now I have to do a between DATE1 -1 and > between DATE2 +1 > > > > BTW I've always though it odd that it was inclusive but it seems to be many > of the SQL products but not in others. Standards!? > > > From Lambert.Heenan at AIG.com Fri Oct 26 15:58:13 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Fri, 26 Oct 2007 16:58:13 -0400 Subject: [AccessD] SQL between Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7206@XLIVMBX35bkup.aig.com> Between #10/29/2002# And #11/12/2002# will return different results depending on whether the underlying field in the table has a time value or not. If it does not have a time value, then all date values are implicitly some date at 12 midnight. So Between #10/29/2002# And #11/12/2002# will return all the records that have a date of 10/29/2002 to 11/12/2002 inclusive. However, if the date field does store a time value as well, explicitly, then the exact same criterion Between #10/29/2002# And #11/12/2002# has a different effect. If will return all records where the date field is 10/29/2002 (at any time of the day, as we implicitly have asked to start at midnight) up to 11/11/2002, plus any records which just happen to have a date value of 11/12/2002 00:00:00 AM. In other words, just any amount of time after midnight on 11/12/2002 is sufficient to exclude a record from the results. So Between is , and always has been inclusive, but it always uses the time part of date fields, which is what trips some people up occasionally. :-) Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Friday, October 26, 2007 3:38 PM To: _DBA-Access Subject: [AccessD] SQL between I have recently found a couple of issues in an app converted from A97 to A2k3. The items of questions worked in A97 but fail in A2k3. Problem 2. ) (Well, I guess this is more of a heads up.) SQL between is not inclusive. So now I have to do a between DATE1 -1 and between DATE2 +1 BTW I've always though it odd that it was inclusive but it seems to be many of the SQL products but not in others. Standards!? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Fri Oct 26 16:25:05 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Fri, 26 Oct 2007 17:25:05 -0400 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB094@EXCNYSM0A1AI.nysemail.nyenet> I stopped using the BETWEEN in all my queries using dates about 7 years ago. Doesn't matter to me what database ORACLE, MS SQL, SYBASE, ACCESS, ETC.. It is safer and more accurate to use. This way I also don't mess up going from one to another. As I said in the query problem before it has to do with a date having date/time. A certain "time" during the day will not get selected when just using a plain date in the where statement. WHERE tbldate > day_before_start_dt and tbldate < day_after_End_date Where tbledate > '31-AUG-2005' and tbldate < '01-OCT-2005' What fun Have a great weekend Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: Friday, October 26, 2007 03:38 PM > To: _DBA-Access > Subject: [AccessD] SQL between > > I have recently found a couple of issues in an app converted > from A97 to A2k3. The items of questions worked in A97 but > fail in A2k3. > > Problem 2. ) > > (Well, I guess this is more of a heads up.) > > SQL between is not inclusive. So now I have to do a between > DATE1 -1 and between DATE2 +1 > > > > BTW I've always though it odd that it was inclusive but it > seems to be many of the SQL products but not in others. Standards!? > > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From robert at webedb.com Fri Oct 26 16:28:11 2007 From: robert at webedb.com (Robert L. Stewart) Date: Fri, 26 Oct 2007 16:28:11 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <200710262134.l9QLYcjl000759@databaseadvisors.com> At 05:03 AM 10/26/2007, you wrote: >Date: Thu, 25 Oct 2007 22:46:45 -0400 >From: "Arthur Fuller" >Subject: [AccessD] Two Questions and a Joke >To: "Access Developers discussion and problem solving" > >Message-ID: > <29f585dd0710251946h7d0c51c9v5472f2d8990c2989 at mail.gmail.com> >Content-Type: text/plain; charset=ISO-8859-1 > >1. What's a legal alien? My wife and daughter. Here in the USA from Russia on a US visa. Legal, but alien to the USA. >2. When someone says I slept like a baby, do they mean waking up every two >hours screaming, with a full diaper? or Sleep like the dead, not breathing, cold and starting to decay???? >Three statisticians went duck hunting. The first one shot 5 feet too high. >The second one shot 5 feet too low. The third one said, "We got him!" Sounds like an Aggie joke. :-) >Arthur From Jim.Hale at FleetPride.com Fri Oct 26 16:59:29 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Fri, 26 Oct 2007 16:59:29 -0500 Subject: [AccessD] OT: one last Friday Humor Message-ID: One more for the road........ Ed was in trouble. He forgot his wedding anniversary. His wife was really angry. She told him "Tomorrow morning, I expect to find a gift in the driveway that goes from 0 to 200 in less than 6 seconds AND IT BETTER BE THERE!" The next morning Ed got up early and left for work. When his wife woke up she looked out the window and sure enough there was a box gift-wrapped in the middle of the driveway. Confused, the wife put on her robe and ran out to the driveway, and brought the box back in the house. She opened it and found a brand new bathroom scale. Ed has been missing since Friday. Please pray for him. *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From andy at minstersystems.co.uk Fri Oct 26 17:18:12 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Fri, 26 Oct 2007 23:18:12 +0100 Subject: [AccessD] OT: one last Friday Humor In-Reply-To: Message-ID: <008001c8181e$1bc63840$8b408552@minster33c3r25> You're a brave man, Jim -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim > Sent: 26 October 2007 22:59 > To: accessd at databaseadvisors.com > Subject: [AccessD] OT: one last Friday Humor > > > > One more for the road........ > > Ed was in trouble. He forgot his wedding anniversary. His > wife was really > angry. She told him "Tomorrow morning, I expect to find a > gift in the driveway > that goes from 0 to 200 in less than 6 seconds AND IT BETTER > BE THERE!" > > The next morning Ed got up early and left for work. When his > wife woke up she > looked out the window and sure enough there was a box > gift-wrapped in the middle > of the driveway. Confused, the wife put on her robe and ran > out to the > driveway, and brought the box back in the house. > > She opened it and found a brand new bathroom scale. > Ed has been missing since Friday. Please pray for him. > > > > ************************************************************** > ********* > The information transmitted is intended solely for the > individual or entity to which it is addressed and may contain > confidential and/or privileged material. Any review, > retransmission, dissemination or other use of or taking > action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. If > you have received this email in error please contact the > sender and delete the material from any computer. As a > recipient of this email, you are responsible for screening > its contents and the contents of any attachments for the > presence of viruses. No liability is accepted for any damages > caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From john at winhaven.net Fri Oct 26 17:23:12 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 17:23:12 -0500 Subject: [AccessD] OT: one last Friday Humor In-Reply-To: References: Message-ID: <023501c8181e$ccc97760$6402a8c0@ScuzzPaq> LOL! -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim One more for the road........ Ed was in trouble. He forgot his wedding anniversary. His wife was really angry. She told him "Tomorrow morning, I expect to find a gift in the driveway that goes from 0 to 200 in less than 6 seconds AND IT BETTER BE THERE!" The next morning Ed got up early and left for work. When his wife woke up she looked out the window and sure enough there was a box gift-wrapped in the middle of the driveway. Confused, the wife put on her robe and ran out to the driveway, and brought the box back in the house. She opened it and found a brand new bathroom scale. Ed has been missing since Friday. Please pray for him. From john at winhaven.net Fri Oct 26 17:23:12 2007 From: john at winhaven.net (John Bartow) Date: Fri, 26 Oct 2007 17:23:12 -0500 Subject: [AccessD] SQL between In-Reply-To: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> References: <020001c81807$b2e13340$6402a8c0@ScuzzPaq> Message-ID: <023201c8181e$cc0abb40$6402a8c0@ScuzzPaq> Thanks for the responses to this. I had actually composed this at the same time as the Query Oddity message. I believe it probably is a DateTime type issue again. I'm now going through all DateTime related items and making sure they reference the new functions I added which eliminates this issue. I'll review the rest of my messages concerning my newly found issues before sending them to the list. Sorry for the confusion. From jwcolby at colbyconsulting.com Fri Oct 26 18:12:50 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 19:12:50 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: Message-ID: <001101c81825$bb8d8610$647aa8c0@M90> Actually the two types of people are those who divide people into two types, and those that don't... John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 2:55 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke Ya know, there are 10 types of people in this world. Those who understand binary, and those who don't. ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Friday, October 26, 2007 9:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Two Questions and a Joke Hi Susan and Max Now, how sick are these jokes! More please. /gustav >>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> Digger and his dog Skip were walking in the outback. Northern territories are infamous for the number of people who get lost there and Digger was no exception. After a few days his water ran out. "Sorry Skip", says Digger "but no water". A few days later his grub runs out. A few days more and Digger is starving hungry. He looks at Skip and says, "sorry mate. It is you or me and as much as I love you as the faithfully friend for many years, I have no option". So he kills Skip, roasts him over a spit and eats him. When he has eaten, he looks down at the pile of bones and says "I wish Skip was here now, he would love those bones". Max Ps. Only one dog was harmed during the making of this joke. The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Fri Oct 26 19:34:35 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Fri, 26 Oct 2007 20:34:35 -0400 Subject: [AccessD] Two Questions and a Joke References: <001101c81825$bb8d8610$647aa8c0@M90> Message-ID: <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 20:16:10 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 21:16:10 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> References: <001101c81825$bb8d8610$647aa8c0@M90> <004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> Message-ID: <001901c81836$f5e7aa00$647aa8c0@M90> ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Fri Oct 26 20:19:04 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Fri, 26 Oct 2007 21:19:04 -0400 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: References: <000a01c817d3$2b0c16d0$697aa8c0@M90> Message-ID: <001a01c81837$5e047f00$647aa8c0@M90> LOL, what did you gain with that? I can (and do) open files of 10 gigabytes with my method. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 3:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Eliminating lines of text before importing Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Fri Oct 26 20:24:22 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Fri, 26 Oct 2007 21:24:22 -0400 Subject: [AccessD] Two Questions and a Joke References: <001101c81825$bb8d8610$647aa8c0@M90><004401c81831$271ac8b0$6b706c4c@jisshowsbs.local> <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: <00a701c81838$29ef1a30$4b3a8343@SusanOne> Dim c As Colbized Susan H. > ;-) In a class by myself, dizzying intellect and all. \ From DWUTKA at Marlow.com Sun Oct 28 18:45:57 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Sun, 28 Oct 2007 18:45:57 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: Don't you mean fizzling, not dizzying? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From DWUTKA at Marlow.com Sun Oct 28 18:46:43 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Sun, 28 Oct 2007 18:46:43 -0500 Subject: [AccessD] Eliminating lines of text before importing In-Reply-To: <001a01c81837$5e047f00$647aa8c0@M90> Message-ID: I know, just seems ugly... ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:19 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing LOL, what did you gain with that? I can (and do) open files of 10 gigabytes with my method. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Friday, October 26, 2007 3:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Eliminating lines of text before importing Egads, that sounds ugly! Dim i as long Dim f as long Dim strArray() as string Dim strTemp as string Dim strFilePath as string strFilePath="C:\YourImportFile.txt" f=freefile open strfilepath for binary access read as f strtemp=space(lof(f)) get f,,strtemp close f strArray=split(strtemp,vbcrlf) kill strfilepath f=freefile open strfilepath for binary access write as f for i=65 to ubound(strarray()) put f,,strarray(i) next i close f Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:22 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Eliminating lines of text before importing I do it by opening a file for input and a file for output, read line by line, count 65 lines, then start writing out to the output file on line 66. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of ewaldt at gdls.com Sent: Friday, October 26, 2007 7:29 AM To: accessd at databaseadvisors.com Subject: [AccessD] Eliminating lines of text before importing I have a semicolon-delimited text file coming in from another operating system. The data I want to import begins on line 66. How can I tell Access to either delete the first 65 lines before importing the data, or just start importing on line 66? At this point the user has to delete the first 65 lines manually, but I'd like to automate this. I have Access 2002 (XP), and am using VBA, of course. TIA. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From jwcolby at colbyconsulting.com Sun Oct 28 19:43:53 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Sun, 28 Oct 2007 20:43:53 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: References: <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: <006101c819c4$ca99f170$647aa8c0@M90> LOL, I didn't say it. Just quoting my admirers. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka Sent: Sunday, October 28, 2007 7:46 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke Don't you mean fizzling, not dizzying? ;) Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com From rockysmolin at bchacc.com Sun Oct 28 22:53:17 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Sun, 28 Oct 2007 20:53:17 -0700 Subject: [AccessD] ERP experts for writing job In-Reply-To: <005301c817fe$ce867730$4b3a8343@SusanOne> References: <005301c817fe$ce867730$4b3a8343@SusanOne> Message-ID: <007301c819df$3d8580e0$0301a8c0@HAL9005> Thanks for the heads up. Looks like you have to be an Edwards user to qualify but I sent them my c.v. anyway. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Friday, October 26, 2007 11:34 AM To: AccessD at databaseadvisors.com Subject: [AccessD] ERP experts for writing job http://seeker.dice.com/jobsearch/servlet/JobSearch?op=302&dockey=xml/4/5/453 382e3bcb86b1b72a7cdf457de1b49 at endecaindex&source=19&FREE_TEXT=writer ====I know some of you are experts in this area. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.11/1093 - Release Date: 10/25/2007 5:38 PM From ewaldt at gdls.com Mon Oct 29 05:31:22 2007 From: ewaldt at gdls.com (ewaldt at gdls.com) Date: Mon, 29 Oct 2007 06:31:22 -0400 Subject: [AccessD] Subject: Re: Eliminating lines of text before importing In-Reply-To: Message-ID: Mark: I experimented with this after I posted the message, before receiving any answers, and ended up importing and then running a delete query (with null for the blank lines, and also deleting some other unwanted lines - e.g., totals - that I didn't want to import). I had thought Access would mess up the import, since a blank line has no fields (duh), but I created an import spec and had Access use that, and it did just fine. I'd still like to learn how to do it the other way, though, just for my own knowledge's sake. Thomas F. Ewald Stryker Mass Properties General Dynamics Land Systems Message: 8 Date: Fri, 26 Oct 2007 14:11:55 +0000 From: Mark A Matte Subject: Re: [AccessD] Eliminating lines of text before importing To: Access Developers discussion and problem solving Message-ID: Content-Type: text/plain; charset="iso-8859-1" I have a DB that imports a text file where every other line is blank. I just run a delete query AFTER the import...to remove the unwanted rows. This is an e-mail from General Dynamics Land Systems. It is for the intended recipient only and may contain confidential and privileged information. No one else may read, print, store, copy, forward or act in reliance on it or its attachments. If you are not the intended recipient, please return this message to the sender and delete the message and any attachments from your computer. Your cooperation is appreciated. From fuller.artful at gmail.com Mon Oct 29 06:25:48 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 07:25:48 -0400 Subject: [AccessD] Relative path for images Message-ID: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur From Chris.Foote at uk.thalesgroup.com Mon Oct 29 06:45:59 2007 From: Chris.Foote at uk.thalesgroup.com (Foote, Chris) Date: Mon, 29 Oct 2007 11:45:59 -0000 Subject: [AccessD] Relative path for images Message-ID: <7303A459C921B5499AF732CCEEAD2B7F064D1226@craws161660.int.rdel.co.uk> Hi Arthur! Depending upon Operating System you may find you'll have to use forward slashes "/" rather than back slashes "\". I've had all sorts of games with this on HTML docs on Apache servers. HTH! Chris Foote > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com]On Behalf Of > Arthur Fuller > Sent: Monday, October 29, 2007 11:26 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Relative path for images > > > Within my app's directory is a directory called Images, which > stores (gasp) > images used by the app, such as logos. I'd like to make the > references to > this directory relative to the home directory but I can't > make it work. I've > tried various syntaxes without success (i.e. "Images\logo.jpg" and > "..\Images\logo.jpg"). Is there a way to do this? > > > TIA > Arthur > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From jwcolby at colbyconsulting.com Mon Oct 29 07:01:26 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 08:01:26 -0400 Subject: [AccessD] Relative path for images In-Reply-To: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> Message-ID: <001401c81a23$6f5d4460$647aa8c0@M90> currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 07:15:49 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 08:15:49 -0400 Subject: [AccessD] Relative path for images In-Reply-To: <001401c81a23$6f5d4460$647aa8c0@M90> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com> <001401c81a23$6f5d4460$647aa8c0@M90> Message-ID: <001501c81a25$71dd2690$647aa8c0@M90> Sorry Arthur, that should have been currentproject.Path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Mon Oct 29 08:30:19 2007 From: JHewson at karta.com (Jim Hewson) Date: Mon, 29 Oct 2007 08:30:19 -0500 Subject: [AccessD] Relative path for images In-Reply-To: <001501c81a25$71dd2690$647aa8c0@M90> References: <29f585dd0710290425w9105293y9eef83768d43c3b6@mail.gmail.com><001401c81a23$6f5d4460$647aa8c0@M90> <001501c81a25$71dd2690$647aa8c0@M90> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0BFCEC@karta-exc-int.Karta.com> I take this one step further. I store the name of the image file in a table. That way I don't have to worry about changing the code to replace the image - all I do is change the field in the table. I use: Images.Picture = Application.CurrentProject.Path & "\images\" & GraphicFile Images is the name of the image container. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images Sorry Arthur, that should have been currentproject.Path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Relative path for images currentapplication.path John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 7:26 AM To: Access Developers discussion and problem solving Subject: [AccessD] Relative path for images Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 09:16:08 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 10:16:08 -0400 Subject: [AccessD] "Not In" query speed Message-ID: <002101c81a36$40a60f40$647aa8c0@M90> Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com From Jim.Hale at FleetPride.com Mon Oct 29 09:33:09 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Mon, 29 Oct 2007 09:33:09 -0500 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <001901c81836$f5e7aa00$647aa8c0@M90> References: <001101c81825$bb8d8610$647aa8c0@M90><004401c81831$2 71ac8b0$6b706c4c@jisshowsbs.local> <001901c81836$f5e7aa00$647aa8c0@M90> Message-ID: But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, > and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Gustav at cactus.dk Mon Oct 29 09:39:28 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 15:39:28 +0100 Subject: [AccessD] Relative path for images Message-ID: Hi Arthur It could be: ".\Images\logo.jpg" Same goes for the icon file of the app: ".\appicon.ico" /gustav >>> fuller.artful at gmail.com 29-10-2007 12:25 >>> Within my app's directory is a directory called Images, which stores (gasp) images used by the app, such as logos. I'd like to make the references to this directory relative to the home directory but I can't make it work. I've tried various syntaxes without success (i.e. "Images\logo.jpg" and "..\Images\logo.jpg"). Is there a way to do this? TIA Arthur From Jim.Hale at FleetPride.com Mon Oct 29 09:54:03 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Mon, 29 Oct 2007 09:54:03 -0500 Subject: [AccessD] Access as web backend In-Reply-To: References: Message-ID: I finally was able to check the DB this weekend. It was set to shared mode. Good thought though, thanks Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Joe O'Connell Sent: Thursday, October 25, 2007 11:12 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Access as web backend Jim, Is the database opened in shared or exclusive mode? Be sure that it is shared. From the database window, click on Options then select the Advanced tab. The Default Open Mode should be set to Shared. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Wednesday, October 24, 2007 3:47 PM To: accessd at databaseadvisors.com Subject: [AccessD] Access as web backend I have just relaunched my web site www.therareshop.com. It uses an off the shelf shopping cart template spiffed up by a web programmer. Access serves as the backend database. I noticed by accident in testing that if two users click on the same product link at the same time one will get a "file in use" error. Not very good for the hundreds of simultaneous shoppers (hey I can dream can't I). Is this a) bad design or b) a function of Access and c) is there a fix besides using SQL server? Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From cfoust at infostatsystems.com Mon Oct 29 09:59:09 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 29 Oct 2007 07:59:09 -0700 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: The only information I have is logic and a long ago session with a SQL guru. NOT IN will always be slower because it has to examine ever record in the dataset to return a value. IN is faster because it only needs to examine records until it finds a match. Of course, if the match is in the last record, then there's no difference in speed. LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From fuller.artful at gmail.com Mon Oct 29 10:02:18 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:02:18 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <29f585dd0710290802o4217fe07ie71889e8c6516201@mail.gmail.com> If the column being searched for matches is indexed, then SQL builds a "table" in memory from your IN() clause. If the column is not indexed, SQL has no choice but to do a full table scan. A. On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? That > is > where an outer join to a table is used and then a filter set on the PK (or > any field really) of the outer joined table to discover all records "not > in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number > of records in tblClaim) and that each ClaimID is only in tblClaimLogged > one > time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of the > records in tblClaim are in tblClaimLogged, and each record can only be in > there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Mon Oct 29 10:04:37 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:04:37 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> References: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> I clicked Send too quickly. I didn't realize that you wanted so many records in your NOT IN() clause. For that many rows, I would do the join instead. Arthur On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? That > is > where an outer join to a table is used and then a filter set on the PK (or > any field really) of the outer joined table to discover all records "not > in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number > of records in tblClaim) and that each ClaimID is only in tblClaimLogged > one > time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of the > records in tblClaim are in tblClaimLogged, and each record can only be in > there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From fuller.artful at gmail.com Mon Oct 29 10:17:46 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Mon, 29 Oct 2007 11:17:46 -0400 Subject: [AccessD] Relative path for images In-Reply-To: References: Message-ID: <29f585dd0710290817h16d1823fqc0eb8c860907106@mail.gmail.com> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav > From Drawbridge.Jack at ic.gc.ca Mon Oct 29 10:20:57 2007 From: Drawbridge.Jack at ic.gc.ca (Drawbridge, Jack: SBMS) Date: Mon, 29 Oct 2007 11:20:57 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> John, If you are timing queries using IN and Not IN, you may wish to try EXISTS and NOT Exists. We have had many queries that were just "too slow" with IN operator that were speeded up by using Exists. eg SELECT claimId FROM tblClaim where NOT EXISTS (select "x" from tblClaimLogged WHERE tblClaim.claimId = tblClaimLogged.claimId) Jack -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 10:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From EdTesiny at oasas.state.ny.us Mon Oct 29 10:30:02 2007 From: EdTesiny at oasas.state.ny.us (Tesiny, Ed) Date: Mon, 29 Oct 2007 11:30:02 -0400 Subject: [AccessD] Cumulative sum Message-ID: Hi All, I think this should be easy but I can't figure it out. To simplify, say you have three fields, ProviderNo, ReportDate, ActiveClients. So, if you have 3 months of data for a provider you can create a chart plotting each month. Is there a way in a query to get the sum of the 3 months? MTIA, Ed Edward P. Tesiny Assistant Director for Evaluation Bureau of Evaluation and Practice Improvement New York State OASAS 1450 Western Ave. Albany, New York 12203-3526 Phone: (518) 485-7189 Fax: (518) 485-5769 Email: EdTesiny at oasas.state.ny.us From Gustav at cactus.dk Mon Oct 29 10:31:31 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 16:31:31 +0100 Subject: [AccessD] Relative path for images Message-ID: Hi Arthur Even more interesting. It works in A97. /gustav >>> fuller.artful at gmail.com 29-10-2007 16:17 >>> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav From max.wanadoo at gmail.com Mon Oct 29 10:43:11 2007 From: max.wanadoo at gmail.com (max.wanadoo at gmail.com) Date: Mon, 29 Oct 2007 15:43:11 -0000 Subject: [AccessD] Two Questions and a Joke In-Reply-To: Message-ID: <00c301c81a42$69cb3d30$8119fea9@LTVM> Q. does that class have error trapping A, Yes - This List Q. can it function outside of a framework? A. Obviously not. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Monday, October 29, 2007 2:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, > I have no option". So he kills Skip, roasts him over a spit and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary > and/or II-VI BusinessSensitve material. If you are not the intended > recipient, please contact the sender immediately and destroy the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 10:46:17 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 08:46:17 -0700 Subject: [AccessD] On-Line Help Message-ID: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky From Gustav at cactus.dk Mon Oct 29 11:11:42 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Mon, 29 Oct 2007 17:11:42 +0100 Subject: [AccessD] On-Line Help Message-ID: Hi Rocky We've always used Help Magican 3.0, a 16 bit program from the days of Access 2.0, to create hlp files. Great program, and on today's equipment it compiles at an incredible speed. You may be able to obtain a copy on Ebay filed under antiques! But now you have to use the html help file format which I don't like. Others may chime in here with advice. /gustav >>> rockysmolin at bchacc.com 29-10-2007 16:46 >>> Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky From jwcolby at colbyconsulting.com Mon Oct 29 11:20:27 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:20:27 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> References: <002101c81a36$40a60f40$647aa8c0@M90> <29f585dd0710290804r286975b6r903d611595961cc2@mail.gmail.com> Message-ID: <002b01c81a47$9ecacc30$647aa8c0@M90> Actually I don't want either. I am not using an IN() clause, nor NOT IN(). I am using an outer join TableA to TableB with a where clause "some field in tableB is null". I call that a "not in" query because it shows you where records in TableA are "not in" TableB. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Monday, October 29, 2007 11:05 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] "Not In" query speed I clicked Send too quickly. I didn't realize that you wanted so many records in your NOT IN() clause. For that many rows, I would do the join instead. Arthur On 10/29/07, jwcolby wrote: > > Does anyone have any information on the speed of a "not in" query? > That is where an outer join to a table is used and then a filter set > on the PK (or any field really) of the outer joined table to discover > all records "not in" > the outer joined table? > > Is the speed the same as an inner join would have been? Is there more > overhead because of the where clause? > > In other words, assume a table where there are 50K claim records in > tblClaim. > Assume that there are 25K records in TblClaimLogged (exactly 1/2 the > number of records in tblClaim) and that each ClaimID is only in > tblClaimLogged one time. > > Now do an inner join to discover which records are IN tblClaimLogged. > Now do an outer join to discover which records are NOT IN tblClaimLogged. > > Both queries should return exactly 25K records since exactly 1/2 of > the records in tblClaim are in tblClaimLogged, and each record can > only be in there once. > > Do the two queries return the result sets in the same amount of time? > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 11:21:13 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:21:13 -0400 Subject: [AccessD] "Not In" query speed In-Reply-To: <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> References: <002101c81a36$40a60f40$647aa8c0@M90> <0F3AFAE449DD4A40BED8B6C4A97ABF5B0A6A9187@MSG-MB3.icent.ic.gc.ca> Message-ID: <002c01c81a47$b9b9f070$647aa8c0@M90> Sorry, this is not using an IN() clause in any manner. See my response to Arthur. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drawbridge, Jack: SBMS Sent: Monday, October 29, 2007 11:21 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] "Not In" query speed John, If you are timing queries using IN and Not IN, you may wish to try EXISTS and NOT Exists. We have had many queries that were just "too slow" with IN operator that were speeded up by using Exists. eg SELECT claimId FROM tblClaim where NOT EXISTS (select "x" from tblClaimLogged WHERE tblClaim.claimId = tblClaimLogged.claimId) Jack -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 10:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From jwcolby at colbyconsulting.com Mon Oct 29 11:21:57 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Mon, 29 Oct 2007 12:21:57 -0400 Subject: [AccessD] Two Questions and a Joke In-Reply-To: <00c301c81a42$69cb3d30$8119fea9@LTVM> References: <00c301c81a42$69cb3d30$8119fea9@LTVM> Message-ID: <002d01c81a47$d4663f50$647aa8c0@M90> ROTFL. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of max.wanadoo at gmail.com Sent: Monday, October 29, 2007 11:43 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke Q. does that class have error trapping A, Yes - This List Q. can it function outside of a framework? A. Obviously not. Max -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Monday, October 29, 2007 2:33 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke But does that class have error trapping and can it function outside of a framework? Jim Hale -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Friday, October 26, 2007 8:16 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Two Questions and a Joke ;-) In a class by myself, dizzying intellect and all. John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Friday, October 26, 2007 8:35 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Two Questions and a Joke ...and here I was thinking there were three types of people ...we, them, and jc :) William ----- Original Message ----- From: "jwcolby" To: "'Access Developers discussion and problem solving'" Sent: Friday, October 26, 2007 7:12 PM Subject: Re: [AccessD] Two Questions and a Joke > Actually the two types of people are those who divide people into two > types, and those that don't... > > > John W. Colby > Colby Consulting > www.ColbyConsulting.com > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Drew Wutka > Sent: Friday, October 26, 2007 2:55 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Two Questions and a Joke > > Ya know, there are 10 types of people in this world. > > Those who understand binary, and those who don't. > > ;) > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock > Sent: Friday, October 26, 2007 9:32 AM > To: accessd at databaseadvisors.com > Subject: Re: [AccessD] Two Questions and a Joke > > Hi Susan and Max > > Now, how sick are these jokes! > More please. > > /gustav > >>>> max.wanadoo at gmail.com 26-10-2007 14:59 >>> > Digger and his dog Skip were walking in the outback. Northern territories > are infamous for the number of people who get lost there and Digger was no > exception. After a few days his water ran out. "Sorry Skip", says > Digger > "but no water". A few days later his grub runs out. A few days more and > Digger is starving hungry. He looks at Skip and says, "sorry mate. It is > you or me and as much as I love you as the faithfully friend for many > years, I have no option". So he kills Skip, roasts him over a spit > and eats him. > When he has eaten, he looks down at the pile of bones and says "I wish > Skip > was here now, he would love those bones". > > Max > > Ps. Only one dog was harmed during the making of this joke. > > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy > the material > in > its entirety, whether electronic or hard copy. You are notified that any > review, retransmission, copying, disclosure, dissemination, or other use > of, > or taking of any action in reliance upon this information by persons or > entities other than the intended recipient is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Mon Oct 29 11:25:42 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Mon, 29 Oct 2007 09:25:42 -0700 Subject: [AccessD] Relative path for images In-Reply-To: References: Message-ID: I don't know why it wouldn't work in A2k (well, except for the fact that it IS A2k!) since it's actually a Windows shorthand. I do recall that at least some of the versions replaced the relative path for icons and images with a fixed path somewhere along the ... er, path. LOL Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Monday, October 29, 2007 8:32 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] Relative path for images Hi Arthur Even more interesting. It works in A97. /gustav >>> fuller.artful at gmail.com 29-10-2007 16:17 >>> Interesting. The app is being run in Access 2000, which doesn't support this. I didn't try it in A2K3 or higher yet. Thanks, all. Arthur On 10/29/07, Gustav Brock wrote: > > Hi Arthur > > It could be: ".\Images\logo.jpg" > > Same goes for the icon file of the app: ".\appicon.ico" > > /gustav -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Mon Oct 29 12:16:13 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Mon, 29 Oct 2007 10:16:13 -0700 Subject: [AccessD] "Not In" query speed In-Reply-To: <002101c81a36$40a60f40$647aa8c0@M90> Message-ID: <06048CA5DE0B48DE9E4B124AC9ECE5FF@creativesystemdesigns.com> Hi John: Other than it is the SLOWEST, most resource hungry query there is in the world of SQL and even running a 'loop' usually is significantly faster. In one particular situation when adding a huge amount of data, to a table, creating a unique key (also not usually recommended when adding large amounts of data) and testing for data collision errors produced a superior result. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of jwcolby Sent: Monday, October 29, 2007 7:16 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] "Not In" query speed Does anyone have any information on the speed of a "not in" query? That is where an outer join to a table is used and then a filter set on the PK (or any field really) of the outer joined table to discover all records "not in" the outer joined table? Is the speed the same as an inner join would have been? Is there more overhead because of the where clause? In other words, assume a table where there are 50K claim records in tblClaim. Assume that there are 25K records in TblClaimLogged (exactly 1/2 the number of records in tblClaim) and that each ClaimID is only in tblClaimLogged one time. Now do an inner join to discover which records are IN tblClaimLogged. Now do an outer join to discover which records are NOT IN tblClaimLogged. Both queries should return exactly 25K records since exactly 1/2 of the records in tblClaim are in tblClaimLogged, and each record can only be in there once. Do the two queries return the result sets in the same amount of time? John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 29 12:23:33 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 12:23:33 -0500 Subject: [AccessD] On-Line Help In-Reply-To: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> References: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: <001c01c81a50$6ee36000$0200a8c0@danwaters> Hi Rocky, Well - I've been trying to use .chm files, and am having bad luck. Apparently, MS has found a possibility (remote) that a .chm file could have malicious code in it. So now to open a .chm file on a company's network using a hyperlink or using ShellExecute requires that they 'relax' their security setting a bit. I haven't been able to find the exact details. A .chm file can still be opened directly. By coincidence, I was going to begin writing a help file today. But what I'm going to do is to just create a small web site that can be opened by my application. This can contain text, screenshots, links to other files, and links to short videos I make to show some intricate aspect of the user interface. I hope this works! Good Luck, Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 10:46 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From shamil at users.mns.ru Mon Oct 29 13:01:54 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Mon, 29 Oct 2007 21:01:54 +0300 Subject: [AccessD] On-Line Help In-Reply-To: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: <000301c81a55$ca8a1b10$6401a8c0@nant> Hi Rocky, You can try this software: http://www.helpgenerator.com/downloadacchelp.htm It has free trial version and it can generate html help skeleton including screenshots with hotspots from MS Access 2000-2007 projects. It has also quite some other goodies useful for HTML help authoring process... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 6:46 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 13:12:11 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 11:12:11 -0700 Subject: [AccessD] Spell Check Message-ID: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky From joeo at appoli.com Mon Oct 29 13:47:12 2007 From: joeo at appoli.com (Joe O'Connell) Date: Mon, 29 Oct 2007 14:47:12 -0400 Subject: [AccessD] On-Line Help References: <003201c81a42$d8cebbd0$0301a8c0@HAL9005> Message-ID: Rocky, Years ago I used Doc-to-Help to create both a manual and help file for a commercial application. As I recall, it was essentially a Word template and macros that allows one document to produce both the manual and help file. It has coding built in to be able to mark passages of the document to be included only in the printed manual or only in the help file. It was extremely easy to use and produced very well indexed help files. I have not done anything with it lately, but I would assume that the current version would be much better than what I used. Joe O'Connell -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 11:46 AM To: 'Access Developers discussion and problem solving' Subject: [AccessD] On-Line Help Dear List: Comes now the part of the book I'm writing where I talk about creating the user manual. But I also want to give some direction to creating on-line help. If you have ever done this, what product or method did you use? Any advice about doing this greatly appreciated. MMTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From dwaters at usinternet.com Mon Oct 29 13:49:16 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 13:49:16 -0500 Subject: [AccessD] Spell Check In-Reply-To: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> Message-ID: <002301c81a5c$68c54010$0200a8c0@danwaters> Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Mon Oct 29 14:03:43 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Mon, 29 Oct 2007 12:03:43 -0700 Subject: [AccessD] Spell Check In-Reply-To: <002301c81a5c$68c54010$0200a8c0@danwaters> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005> <002301c81a5c$68c54010$0200a8c0@danwaters> Message-ID: <008b01c81a5e$6cebf470$0301a8c0@HAL9005> That will definitely help. I'll probably define some hot key to trigger the spell check since the user may want it off - or maybe a check box and use the enter/exit approach. The DoCmd.RunCommand acCmdSpelling if call separately, does that normally run on all the text boxes on the form or just the text box that has the focus? Thanks and regards, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 29, 2007 11:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1097 - Release Date: 10/28/2007 1:58 PM From dwaters at usinternet.com Mon Oct 29 14:18:08 2007 From: dwaters at usinternet.com (Dan Waters) Date: Mon, 29 Oct 2007 14:18:08 -0500 Subject: [AccessD] Spell Check In-Reply-To: <008b01c81a5e$6cebf470$0301a8c0@HAL9005> References: <007d01c81a57$3f1b2680$0301a8c0@HAL9005><002301c81a5c$68c54010$0200a8c0@danwaters> <008b01c81a5e$6cebf470$0301a8c0@HAL9005> Message-ID: <002401c81a60$70c6d2c0$0200a8c0@danwaters> The code I listed was a little simplified. In my app I have a User Settings form. One of the settings is if a user wants the auto-spellcheck turned on. That value is stored in a tblPeopleMain field, and it's value is True by default. The reason this is only checking a specific field is because all the text in that field is selected in code. I've never tried to run acCmdSpelling without selecting text first! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 2:04 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check That will definitely help. I'll probably define some hot key to trigger the spell check since the user may want it off - or maybe a check box and use the enter/exit approach. The DoCmd.RunCommand acCmdSpelling if call separately, does that normally run on all the text boxes on the form or just the text box that has the focus? Thanks and regards, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Dan Waters Sent: Monday, October 29, 2007 11:49 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Spell Check Hi Rocky, To do spellchecking on textboxes I use this code I've developed through trial & error. It works pretty well - although I've had one 'user' try to paste a long email into a textbox field and then crash the whole database. I retrained him in alternate methods! First, you need to declare a modular variable for each form you'll be using this in like this: Private MvarOriginalText As Variant Second, you need to enter the following into the Enter and Exit events of each textbox (here called memDescription): Private Sub memDescription_Enter() MvarOriginalText = memDescription End Sub Private Sub memDescription_Exit(Delete As Integer) Call SpellCheckField(memDescription, MvarOriginalText) MvarOriginalText = memDescription End Sub Third, put these two procedures into a standard module: Public Sub SpellCheckField(varField As Variant, varOriginalFieldText As Variant) If IsNull(varField) Or varField = "" Then Exit Sub End If If varField = varOriginalFieldText Then Exit Sub End If Call Spellcheck Exit Sub End Sub Public Sub Spellcheck() Dim ctl As Control Dim lngText As Long Dim varFieldContents As Variant Set ctl = Screen.ActiveControl If Not ctl.ControlType = acTextBox Then Exit Sub End If If ctl.Locked = True Then Exit Sub End If If ctl.Enabled = False Then Exit Sub End If ctl.SelStart = 0 ctl.SelLength = Len(ctl.Text) DoCmd.SetWarnings False DoCmd.RunCommand acCmdSpelling DoCmd.SetWarnings True Set ctl = Nothing Exit Sub End Sub This ends up working the way a person would probably intuitively expect automatic spellchecking to work. The user doesn't have to take any action, it just pops up the spellchecking window if something is misspelled, and doesn't do anything at all if all the text is spelled correctly. Hope this helps! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software Sent: Monday, October 29, 2007 1:12 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Spell Check Dear List: Is there a way through code to trigger the spell checker on a specific field? I think the F7 hotkey does all the fields. MTIA Rocky -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1097 - Release Date: 10/28/2007 1:58 PM -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Patricia.O'Connor at otda.state.ny.us Mon Oct 29 16:31:33 2007 From: Patricia.O'Connor at otda.state.ny.us (O'Connor, Patricia (OTDA)) Date: Mon, 29 Oct 2007 17:31:33 -0400 Subject: [AccessD] Cumulative sum In-Reply-To: References: Message-ID: <01DBAB52E30A9A4AB3D94EF8029EDBE8021BB0A3@EXCNYSM0A1AI.nysemail.nyenet> Ed It depends on how the ReportDate is created. Is it a full real date or say just the beginning of each month. Do you want each month summed or all three together? Is ActiveClients a count or Indicator? I assume this is Access gui 1) IF real date and want each month and ActiveClients is count SELECT ProviderNo, FORMAT(ReportDate,"MM/YYYY") as RptDt, or FORMAT(ReportDate, "MM/01/YYYY" SUM(ActiveClients) as ActClient FROM Tbl1 GROUP BY ProviderNo, FORMAT(ReportDate,"MM/YYYY") 2) IF real date and want each month and activeclient is indicator SELECT ProviderNo, FORMAT(ReportDate,"MM/YYYY") as RptDt, or FORMAT(ReportDate, "MM/01/YYYY" SUM (IIF(ActiveClients = TRUE,1,0) as ActClient FROM Tbl1 GROUP BY ProviderNo, FORMAT(ReportDate,"MM/YYYY") I didn't have time to fully test this but it is what I remember HTH Patti ************************************************** * Patricia O'Connor * Associate Computer Programmer Analyst * OTDA - BDMA * (W) mailto:Patricia.O'Connor at otda.state.ny.us * (w) mailto:aa1160 at nysemail.state.ny.us ************************************************** > -------------------------------------------------------- This e-mail, including any attachments, may be confidential, privileged or otherwise legally protected. It is intended only for the addressee. If you received this e-mail in error or from someone who was not authorized to send it to you, do not disseminate, copy or otherwise use this e-mail or its attachments. Please notify the sender immediately by reply e-mail and delete the e-mail from your system. -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Tesiny, Ed > Sent: Monday, October 29, 2007 11:30 AM > To: Access Developers discussion and problem solving > Subject: [AccessD] Cumulative sum > > Hi All, > I think this should be easy but I can't figure it out. To > simplify, say you have three fields, ProviderNo, ReportDate, > ActiveClients. So, if you have 3 months of data for a > provider you can create a chart plotting each month. Is > there a way in a query to get the sum of the 3 months? > MTIA, > Ed > > Edward P. Tesiny > Assistant Director for Evaluation > Bureau of Evaluation and Practice Improvement New York State > OASAS 1450 Western Ave. > Albany, New York 12203-3526 > Phone: (518) 485-7189 > Fax: (518) 485-5769 > Email: EdTesiny at oasas.state.ny.us > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From Chester_Kaup at kindermorgan.com Tue Oct 30 08:42:04 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 30 Oct 2007 08:42:04 -0500 Subject: [AccessD] Form Detail Double Click Issue Message-ID: I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. From Jim.Hale at FleetPride.com Tue Oct 30 09:02:47 2007 From: Jim.Hale at FleetPride.com (Hale, Jim) Date: Tue, 30 Oct 2007 09:02:47 -0500 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE Message-ID: http://office.microsoft.com/en-us/access/HA102388991033.aspx I just ran across this. Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. From Lambert.Heenan at AIG.com Tue Oct 30 09:20:46 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 30 Oct 2007 10:20:46 -0400 Subject: [AccessD] Form Detail Double Click Issue Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician From Chester_Kaup at kindermorgan.com Tue Oct 30 09:50:16 2007 From: Chester_Kaup at kindermorgan.com (Kaup, Chester) Date: Tue, 30 Oct 2007 09:50:16 -0500 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Tue Oct 30 10:07:15 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Tue, 30 Oct 2007 08:07:15 -0700 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: Have you tried Enabled = False, Locked = True? I don't work with charts on forms, so I'm not sure both properties are available. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 7:50 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Tue Oct 30 10:43:11 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 30 Oct 2007 11:43:11 -0400 Subject: [AccessD] Form Detail Double Click Issue References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> > That works but the undesirable side effect is that the background of the > chart changes to gray. One idea I came up with was to create an onclick > event for the chart that sets the focus back to the first text box that > the user can edit the default value in. It might also be possible to set > the focus to an invisible dummy text box. ======You'll get calls -- "It's broke....when I click it, it takes me back to ... " Susan H. From Lambert.Heenan at AIG.com Tue Oct 30 10:52:19 2007 From: Lambert.Heenan at AIG.com (Heenan, Lambert) Date: Tue, 30 Oct 2007 10:52:19 -0500 Subject: [AccessD] Form Detail Double Click Issue Message-ID: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7259@XLIVMBX35bkup.aig.com> You won't be able to set the focus to an *invisible* textbox, but you can set the height and width of a visible control to some tiny number like 0.01. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 10:50 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue That works but the undesirable side effect is that the background of the chart changes to gray. One idea I came up with was to create an onclick event for the chart that sets the focus back to the first text box that the user can edit the default value in. It might also be possible to set the focus to an invisible dummy text box. -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Heenan, Lambert Sent: Tuesday, October 30, 2007 9:21 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Detail Double Click Issue Can you set the chart's Enabled property to False? That should prevent it getting the focus. Lambert -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Tuesday, October 30, 2007 9:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From JHewson at karta.com Tue Oct 30 10:56:26 2007 From: JHewson at karta.com (Jim Hewson) Date: Tue, 30 Oct 2007 10:56:26 -0500 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> Message-ID: <3918C60D59E7D84BBE11101EB0FDEF6F0BFD06@karta-exc-int.Karta.com> I would think, a msgbox on the click and double-click events, indicating it cannot be modified then refocus on the previous control work. The user would then know it's not broken and it's by design it cannot be edited. Jim jhewson at karta.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Tuesday, October 30, 2007 10:43 AM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Detail Double Click Issue > That works but the undesirable side effect is that the background of the > chart changes to gray. One idea I came up with was to create an onclick > event for the chart that sets the focus back to the first text box that > the user can edit the default value in. It might also be possible to set > the focus to an invisible dummy text box. ======You'll get calls -- "It's broke....when I click it, it takes me back to ... " Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From garykjos at gmail.com Tue Oct 30 11:00:13 2007 From: garykjos at gmail.com (Gary Kjos) Date: Tue, 30 Oct 2007 11:00:13 -0500 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE In-Reply-To: References: Message-ID: Thatnks for sharing that Jim. GK On 10/30/07, Hale, Jim wrote: > > http://office.microsoft.com/en-us/access/HA102388991033.aspx > > I just ran across this. > Jim Hale > > > *********************************************************************** > The information transmitted is intended solely for the individual or > entity to which it is addressed and may contain confidential and/or > privileged material. Any review, retransmission, dissemination or > other use of or taking action in reliance upon this information by > persons or entities other than the intended recipient is prohibited. > If you have received this email in error please contact the sender and > delete the material from any computer. As a recipient of this email, > you are responsible for screening its contents and the contents of any > attachments for the presence of viruses. No liability is accepted for > any damages caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > -- Gary Kjos garykjos at gmail.com From barry.herring at att.net Tue Oct 30 11:04:35 2007 From: barry.herring at att.net (Barry G. Herring) Date: Tue, 30 Oct 2007 11:04:35 -0500 Subject: [AccessD] Access Developer Needed (St. Louis Area) In-Reply-To: References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> Message-ID: <007501c81b0e$916c11d0$b4443570$@herring@att.net> Dear List, My company is looking for a access developer in the St. Louis area, I do not know the pay or the work load will be. Just wanted to know if anyone on the list was interested. It might be just a contractor position. But FYI I started as a contractor and moved to a full time employee, so it is possible. Please respond off line to the email address listed below. I do not want to tie up the list with this. I am also using an email account that I do not care if spammers get. Emails sent to that address will be moved over to another account and a email from my work account will be sent to individuals interested. Thanks, Barry G. Herring Project Manager / Software Developer Herringb at hotmail.com From ssharkins at gmail.com Tue Oct 30 11:02:55 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Tue, 30 Oct 2007 12:02:55 -0400 Subject: [AccessD] Form Detail Double Click Issue References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com><015001c81b0b$b0b7b9c0$4b3a8343@SusanOne> <3918C60D59E7D84BBE11101EB0FDEF6F0BFD06@karta-exc-int.Karta.com> Message-ID: <018701c81b0e$7a63ebc0$4b3a8343@SusanOne> Yes, that's a good idea. Susan H. >I would think, a msgbox on the click and double-click events, indicating it >cannot be modified then refocus on the previous control work. The user >would then know it's not broken and it's by design it cannot be edited. From accessd at shaw.ca Tue Oct 30 12:26:22 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Tue, 30 Oct 2007 10:26:22 -0700 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE In-Reply-To: Message-ID: <4DA3B66404A444188DEEBC3410B6537B@creativesystemdesigns.com> Excellent. Thanks Jim Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Hale, Jim Sent: Tuesday, October 30, 2007 7:03 AM To: accessd at databaseadvisors.com Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE http://office.microsoft.com/en-us/access/HA102388991033.aspx I just ran across this. Jim Hale *********************************************************************** The information transmitted is intended solely for the individual or entity to which it is addressed and may contain confidential and/or privileged material. Any review, retransmission, dissemination or other use of or taking action in reliance upon this information by persons or entities other than the intended recipient is prohibited. If you have received this email in error please contact the sender and delete the material from any computer. As a recipient of this email, you are responsible for screening its contents and the contents of any attachments for the presence of viruses. No liability is accepted for any damages caused by any virus transmitted by this email. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 12:46:42 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 13:46:42 -0400 Subject: [AccessD] e-mail plug-in needed References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> Message-ID: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William From john at winhaven.net Tue Oct 30 12:52:58 2007 From: john at winhaven.net (John Bartow) Date: Tue, 30 Oct 2007 12:52:58 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002801c81b1d$b4ee8070$6402a8c0@ScuzzPaq> William, If you already own FMS's emailer maybe they could offer some methods of using it to collect that info. They've been pretty helpful to me over the years with other products of theirs. From wdhindman at dejpolsystems.com Tue Oct 30 13:16:35 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 14:16:35 -0400 Subject: [AccessD] e-mail plug-in needed References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net><003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> <002801c81b1d$b4ee8070$6402a8c0@ScuzzPaq> Message-ID: <005201c81b21$02168480$0c10a8c0@jisshowsbs.local> ...thanks John but I've already ran it past them with no results other than that would be a neat improvement for a future release but we have no idea how we could do it ...my real problem with the fms e-mailer is that I have no access to the code and I know that this client is going to expect me to provide further mods. ...btw, I do use and swear by FMS' tools ...just not their apps or components. William ----- Original Message ----- From: "John Bartow" To: "'Access Developers discussion and problem solving'" Sent: Tuesday, October 30, 2007 1:52 PM Subject: Re: [AccessD] e-mail plug-in needed > William, > If you already own FMS's emailer maybe they could offer some methods of > using it to collect that info. > > They've been pretty helpful to me over the years with other products of > theirs. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From dwaters at usinternet.com Tue Oct 30 13:23:53 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 30 Oct 2007 13:23:53 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> References: <34C8A2AB1EF3564CB0D64DB6AFFDD5C208ED7242@XLIVMBX35bkup.aig.com> <007501c81b0e$916c11d0$b4443570$@herring@att.net> <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002601c81b22$06dc7b90$0200a8c0@danwaters> Hi William, I know that vbSendMail can detect when an email is rejected (using WithEvents in a Class). The download for this also has two sample screens which show all of capabilities. It's written as a complete vb6 app, perhaps you could call it from Access if you need it working quickly. BOL! Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 12:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From Gustav at cactus.dk Tue Oct 30 13:27:37 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Tue, 30 Oct 2007 19:27:37 +0100 Subject: [AccessD] e-mail plug-in needed Message-ID: Hi William > keep an audit trail of addresses rejected by the receiving isp That is "tuff" ... communication with the receiving SMTP server may fail or be delayed as well. This is the job of an SMTP server and I don't think you really wish to build such an animal. However, if you and the client need to operate at this serious level, I can strongly recommend hMailServer: http://www.hmailserver.com/ This is a wonderful product, free and open-source, which will run on the Windows Server you love so much and with SQL Server or MySQL as the datastore. What separate it from many other offerings are the COM API and the ability to be controlled via DCOM: http://www.hmailserver.com/documentation/?page=com_objects and it is easy to install and configure. If this is too hardcore, an option might be to use CDOSYS and connect to the SMTP Service of IIS at a Windows Server OS. On these (contrary to workstation OS) you have the added feature of ODBC access to the SMTP log. /gustav >>> wdhindman at dejpolsystems.com 30-10-2007 18:46 >>> ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William From shamil at users.mns.ru Tue Oct 30 13:39:53 2007 From: shamil at users.mns.ru (Shamil Salakhetdinov) Date: Tue, 30 Oct 2007 21:39:53 +0300 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: <002101c81b24$49630d60$6401a8c0@nant> Hi William, You can make C# Classlib from this open source or similar code http://csharp-source.net/open-source/web-mail and then expose it as a COM component and use from within MS Access.... -- Shamil -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 8:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Tue Oct 30 13:47:46 2007 From: john at winhaven.net (John Bartow) Date: Tue, 30 Oct 2007 13:47:46 -0500 Subject: [AccessD] Form Position Message-ID: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> I would like to have a pop-up form open directly below the icon used to open it. The pop-up form is used throughout the application and the icon is not always in the same location on each form. Does anyone have form positioning code that I could adopt for this? From markamatte at hotmail.com Tue Oct 30 15:16:55 2007 From: markamatte at hotmail.com (Mark A Matte) Date: Tue, 30 Oct 2007 20:16:55 +0000 Subject: [AccessD] Form Position In-Reply-To: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> Message-ID: John, I don't have an example...but I have moved objects and db windows before...for the form itself it should be similar. The unit of measure will be in "TWIPS". I would call a function that gets the location of what you clicked on(bottom and left...this will be in twips)...and come up with a small formula(say 25 twips down and 30 twips left...you will have to add and subtract these from/to the location numbers you got above) Now...when your popup opens...use the MOVE method in conjunction with your twip calculations from above.(the WindowLeft or WindowTop properties are read only...but MOVE works.) This should allow you to open a popup anywhere and have it move to your clicking location. Good Luck, Mark A. Matte P.S...When I first started moving stuff like this...I did a little exercise to get a good understanding of what was happening. I created a form with : 1 button, 1 text box....when I clicked the button...the text box displayed the top left of the textbox in TWIPS. Then I changed the button to where it found txtbox.topleft...and added 25 twips to it...then displayed in the text box the new number. Then I did the same thing...moving right and left...and so on. This way I could see how far each change actually moved my object. Point of this...I still don't know exactly how big a twip is...and 25 of them is just a nudge. ...and if your calculation goes off the screen...db does NOT like it...so use error handling. Mark> From: john at winhaven.net> To: accessd at databaseadvisors.com> Date: Tue, 30 Oct 2007 13:47:46 -0500> Subject: [AccessD] Form Position> > I would like to have a pop-up form open directly below the icon used to open> it. The pop-up form is used throughout the application and the icon is not> always in the same location on each form. Does anyone have form positioning> code that I could adopt for this?> -- > AccessD mailing list> AccessD at databaseadvisors.com> http://databaseadvisors.com/mailman/listinfo/accessd> Website: http://www.databaseadvisors.com _________________________________________________________________ Windows Live Hotmail and Microsoft Office Outlook ? together at last. ?Get it now. http://office.microsoft.com/en-us/outlook/HA102225181033.aspx?pid=CL100626971033 From DWUTKA at Marlow.com Tue Oct 30 13:58:16 2007 From: DWUTKA at Marlow.com (Drew Wutka) Date: Tue, 30 Oct 2007 13:58:16 -0500 Subject: [AccessD] e-mail plug-in needed In-Reply-To: <003001c81b1c$d5acb940$0c10a8c0@jisshowsbs.local> Message-ID: Does it need to receive email, or just send? Sending email is VERY easy to do with just a winsock control. Drew -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William Hindman Sent: Tuesday, October 30, 2007 12:47 PM To: Access Developers discussion and problem solving Subject: [AccessD] e-mail plug-in needed ...group ...I need to get a full blown e-mail app running quickly in Access 2003 ...looking at the FMS plug-in but it is only a partial solution and the code is locked ...need to be able do everything it does plus keep an audit trail of addresses rejected by the receiving isp and offer the user the ability to respond to that information. ...any ideas, suggestions, experence, recommendations, or references appreciated William -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com The information contained in this transmission is intended only for the person or entity to which it is addressed and may contain II-VI Proprietary and/or II-VI BusinessSensitve material. If you are not the intended recipient, please contact the sender immediately and destroy the material in its entirety, whether electronic or hard copy. You are notified that any review, retransmission, copying, disclosure, dissemination, or other use of, or taking of any action in reliance upon this information by persons or entities other than the intended recipient is prohibited. From fuller.artful at gmail.com Tue Oct 30 17:11:47 2007 From: fuller.artful at gmail.com (Arthur Fuller) Date: Tue, 30 Oct 2007 18:11:47 -0400 Subject: [AccessD] FE comparison tool? Message-ID: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur From dwaters at usinternet.com Tue Oct 30 17:44:24 2007 From: dwaters at usinternet.com (Dan Waters) Date: Tue, 30 Oct 2007 17:44:24 -0500 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> References: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <000901c81b46$6be04660$0200a8c0@danwaters> Yes - look at the FMS product call Total Access Detective. Dan -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 30, 2007 5:12 PM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 17:47:40 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 09:47:40 +1100 Subject: [AccessD] Form Detail Double Click Issue In-Reply-To: Message-ID: <200710302247.l9UMlbh7007673@databaseadvisors.com> Hi Chester Drop the chart onto a form all its own - Then drop that new form as a subform onto your main form and make the subform enabled = false Should work Darren ----------------- -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Kaup, Chester Sent: Wednesday, 31 October 2007 12:42 AM To: Access Developers discussion and problem solving Subject: [AccessD] Form Detail Double Click Issue I have a form with a chart in the detail section. I have discovered that a user can double click on the chart and it can then be edited. I then set the auto activate property to manual which prevents editing the chart but it still gets the focus and the unbound text boxes on top of the chart disappear. Is there some other setting I need to turn on or off so the unbound text boxes remain visible. Any suggestions appreciated. Chester Kaup Engineering Technician Kinder Morgan CO2 Company, LLP Office (432) 688-3797 FAX (432) 688-3799 No trees were killed in the sending of this message. However a large number of electrons were terribly inconvenienced. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Tue Oct 30 18:22:13 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 30 Oct 2007 16:22:13 -0700 Subject: [AccessD] Form Position In-Reply-To: References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> Message-ID: <008a01c81b4b$b4740a60$0301a8c0@HAL9005> Mark: That's the approach I would use. But one caveat. If the target machines' monitors have different resolutions, the amount to add or subtract relative to the command button will be different. The initial x and y deltas would need to be multiplied by the target monitor's resolution divided by the design resolution. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Mark A Matte Sent: Tuesday, October 30, 2007 1:17 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Form Position John, I don't have an example...but I have moved objects and db windows before...for the form itself it should be similar. The unit of measure will be in "TWIPS". I would call a function that gets the location of what you clicked on(bottom and left...this will be in twips)...and come up with a small formula(say 25 twips down and 30 twips left...you will have to add and subtract these from/to the location numbers you got above) Now...when your popup opens...use the MOVE method in conjunction with your twip calculations from above.(the WindowLeft or WindowTop properties are read only...but MOVE works.) This should allow you to open a popup anywhere and have it move to your clicking location. Good Luck, Mark A. Matte P.S...When I first started moving stuff like this...I did a little exercise to get a good understanding of what was happening. I created a form with : 1 button, 1 text box....when I clicked the button...the text box displayed the top left of the textbox in TWIPS. Then I changed the button to where it found txtbox.topleft...and added 25 twips to it...then displayed in the text box the new number. Then I did the same thing...moving right and left...and so on. This way I could see how far each change actually moved my object. Point of this...I still don't know exactly how big a twip is...and 25 of them is just a nudge. ...and if your calculation goes off the screen...db does NOT like it...so use error handling. Mark> From: john at winhaven.net> To: accessd at databaseadvisors.com> Date: Mark> Tue, 30 Oct 2007 13:47:46 -0500> Subject: [AccessD] Form Position> Mark> > I would like to have a pop-up form open directly below the icon Mark> used to open> it. The pop-up form is used throughout the Mark> application and the icon is not> always in the same location on Mark> each form. Does anyone have form positioning> code that I could Mark> adopt for this?> -- > AccessD mailing list> Mark> AccessD at databaseadvisors.com> Mark> http://databaseadvisors.com/mailman/listinfo/accessd> Website: Mark> http://www.databaseadvisors.com _________________________________________________________________ Windows Live Hotmail and Microsoft Office Outlook ? together at last. ?Get it now. http://office.microsoft.com/en-us/outlook/HA102225181033.aspx?pid=CL10062697 1033 -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1098 - Release Date: 10/29/2007 9:28 AM From rockysmolin at bchacc.com Tue Oct 30 18:23:48 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Tue, 30 Oct 2007 16:23:48 -0700 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> References: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <008b01c81b4b$ecd10e80$0301a8c0@HAL9005> I don't know if it will do exactly what you want by take a look at Starinix Database Compare (http://www.starinix.com/) Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Tuesday, October 30, 2007 3:12 PM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.12/1098 - Release Date: 10/29/2007 9:28 AM From actebs at actebs.com.au Tue Oct 30 19:10:16 2007 From: actebs at actebs.com.au (ACTEBS) Date: Wed, 31 Oct 2007 11:10:16 +1100 Subject: [AccessD] FE comparison tool? In-Reply-To: <29f585dd0710301511u50ff7630i662a179d84c5204d@mail.gmail.com> Message-ID: <002e01c81b52$6a7219f0$0d08a8c0@carltonone.local> Arthur, I wrote this tool by correlating a heap of code snippets from the net over the years and it does something similar to what you want. It is written in VB6 and done for a client of mine that runs an app for multiple users that I wrote a few years ago. It checks the users version of the FE to "the current" version on a predefined network drive. This ensures all users are using the same version of the front and updates it automatically if they aren't and then opens the updated FE. Hope this makes sense and you get some use out of it. You can get it here: http://download.actebs.com.au/eg/UpdateFile.zip Regards Vlad -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Arthur Fuller Sent: Wednesday, 31 October 2007 9:12 AM To: Access Developers discussion and problem solving Subject: [AccessD] FE comparison tool? Is there a(n ideally free) tool that lets you compare two versions of a given FE? I know the data is in synch; it's the forms, queries and other FE items that might not be. TIA, Arthur -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 19:47:18 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 11:47:18 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <04E25951408A4DFDBA46AD6E545EDC6F@creativesystemdesigns.com> Message-ID: <200710310047.l9V0lHfR001824@databaseadvisors.com> Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From darren at activebilling.com.au Tue Oct 30 20:34:43 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 12:34:43 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310047.l9V0lHfR001824@databaseadvisors.com> Message-ID: <200710310134.l9V1YbPA025486@databaseadvisors.com> Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From demulling at centurytel.net Tue Oct 30 21:03:29 2007 From: demulling at centurytel.net (Demulling Family) Date: Tue, 30 Oct 2007 21:03:29 -0500 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> References: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <4727E271.9030404@centurytel.net> Darren, Here is one way: Dim con As New ADODB.Connection Dim rs As New ADODB.Recordset Dim cmdtext As String cmdtext = "SELECT" cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" cmdtext = cmdtext & " FROM tblSEILinks" cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" con = setconnection con.Open rs.Open cmdtext, con If Not rs.BOF And Not rs.EOF Then rs.MoveFirst Do Until rs.EOF rs.MoveNext Loop End If rs.Close con..Close set rs = Nothing set con = Nothing From darren at activebilling.com.au Tue Oct 30 21:16:31 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 13:16:31 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <4727E271.9030404@centurytel.net> Message-ID: <200710310216.l9V2GSD1013761@databaseadvisors.com> Hi Thanks for the post Jeff When I first copied and pasted your code - the debugger failed on "con = setconnection" So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it to work with Explicit on? Also - When I ran it after that I got the following error... "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no default driver specified" Any suggestions on that one? Obviously I have somehow stuffed the connection info - Was your code designed to go hand in hand with Jim's earlier connection string post? Thanks again Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family Sent: Wednesday, 31 October 2007 1:03 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Connect to SQL and retrieve records Darren, Here is one way: Dim con As New ADODB.Connection Dim rs As New ADODB.Recordset Dim cmdtext As String cmdtext = "SELECT" cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" cmdtext = cmdtext & " FROM tblSEILinks" cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" con = setconnection con.Open rs.Open cmdtext, con If Not rs.BOF And Not rs.EOF Then rs.MoveFirst Do Until rs.EOF rs.MoveNext Loop End If rs.Close con..Close set rs = Nothing set con = Nothing -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 21:38:50 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 22:38:50 -0400 Subject: [AccessD] e-mail plug-in needed References: Message-ID: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From wdhindman at dejpolsystems.com Tue Oct 30 21:38:50 2007 From: wdhindman at dejpolsystems.com (William Hindman) Date: Tue, 30 Oct 2007 22:38:50 -0400 Subject: [AccessD] e-mail plug-in needed References: Message-ID: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com From demulling at centurytel.net Tue Oct 30 22:26:48 2007 From: demulling at centurytel.net (Demulling Family) Date: Tue, 30 Oct 2007 22:26:48 -0500 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310216.l9V2GSD1013761@databaseadvisors.com> References: <200710310216.l9V2GSD1013761@databaseadvisors.com> Message-ID: <4727F5F8.5090809@centurytel.net> Darren D wrote: > Hi > > Thanks for the post Jeff > > When I first copied and pasted your code - the debugger failed on "con = > setconnection" > > So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it > to work with Explicit on? > > Also - When I ran it after that I got the following error... > > "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no > default driver specified" > > Any suggestions on that one? > > Obviously I have somehow stuffed the connection info - Was your code designed to > go hand in hand with Jim's earlier connection string post? > > Thanks again > > Darren > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family > Sent: Wednesday, 31 October 2007 1:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Connect to SQL and retrieve records > > Darren, > > Here is one way: > > Dim con As New ADODB.Connection > Dim rs As New ADODB.Recordset > Dim cmdtext As String > > cmdtext = "SELECT" > cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" > cmdtext = cmdtext & " FROM tblSEILinks" > cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" > > con = setconnection > con.Open > > rs.Open cmdtext, con > > If Not rs.BOF And Not rs.EOF Then > rs.MoveFirst > > Do Until rs.EOF > rs.MoveNext > Loop > End If > > rs.Close > con..Close > set rs = Nothing > set con = Nothing > Sorry about that, I have a function that I use to set the connection string. Function setconnection() 'This is for trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Trusted_Connection=Yes" 'This is for non trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Password=<> End Function From darren at activebilling.com.au Wed Oct 31 00:23:10 2007 From: darren at activebilling.com.au (Darren D) Date: Wed, 31 Oct 2007 16:23:10 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <4727F5F8.5090809@centurytel.net> Message-ID: <200710310523.l9V5N3ia030901@databaseadvisors.com> Brilliant - excellent - works like a charm I really am gratefull DD -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family Sent: Wednesday, 31 October 2007 2:27 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] Connect to SQL and retrieve records Darren D wrote: > Hi > > Thanks for the post Jeff > > When I first copied and pasted your code - the debugger failed on "con = > setconnection" > > So it rem'd "Option Explicit" and it worked - Any suggestions on how to get it > to work with Explicit on? > > Also - When I ran it after that I got the following error... > > "-2147467259 [Microsoft][ODBC Driver Manager] Data source name not found and no > default driver specified" > > Any suggestions on that one? > > Obviously I have somehow stuffed the connection info - Was your code designed to > go hand in hand with Jim's earlier connection string post? > > Thanks again > > Darren > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Demulling Family > Sent: Wednesday, 31 October 2007 1:03 PM > To: Access Developers discussion and problem solving > Subject: Re: [AccessD] Connect to SQL and retrieve records > > Darren, > > Here is one way: > > Dim con As New ADODB.Connection > Dim rs As New ADODB.Recordset > Dim cmdtext As String > > cmdtext = "SELECT" > cmdtext = cmdtext & " tblSEILinks.SEIAccountNumber" > cmdtext = cmdtext & " FROM tblSEILinks" > cmdtext = cmdtext & " GROUP BY tblSEILinks.SEIAccountNumber;" > > con = setconnection > con.Open > > rs.Open cmdtext, con > > If Not rs.BOF And Not rs.EOF Then > rs.MoveFirst > > Do Until rs.EOF > rs.MoveNext > Loop > End If > > rs.Close > con..Close > set rs = Nothing > set con = Nothing > Sorry about that, I have a function that I use to set the connection string. Function setconnection() 'This is for trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Trusted_Connection=Yes" 'This is for non trusted connections setconnection = "Provider=SQLOLEDB.1;Persist Security Info=True;User ID=<>;Initial Catalog=<>;Data Source=<>;Password=<> End Function -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From michael at ddisolutions.com.au Wed Oct 31 00:55:43 2007 From: michael at ddisolutions.com.au (Michael Maddison) Date: Wed, 31 Oct 2007 16:55:43 +1100 Subject: [AccessD] e-mail plug-in needed References: <000701c81b67$35e28c00$6b706c4c@jisshowsbs.local> Message-ID: <59A61174B1F5B54B97FD4ADDE71E7D01289FCD@ddi-01.DDI.local> I seem to recall reading somewhere of a similar request where the consensus was that any solution would be unreliable. If IIRC the problem was that a significant # of mail servers do not respond to bad sends as an anti spam / security measure. http://www.componentspace.com/emailchecker.net.aspx see the * at the bottom of the page. cheers Michael M ...send only Drew ...but as others have mentioned, the real problem is getting the server to talk to Access to identify bad sends. William ----- Original Message ----- From: "Drew Wutka" To: "Access Developers discussion and problem solving" Sent: Tuesday, October 30, 2007 2:58 PM Subject: Re: [AccessD] e-mail plug-in needed > Does it need to receive email, or just send? Sending email is VERY easy > to do with just a winsock control. > > Drew > > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of William > Hindman > Sent: Tuesday, October 30, 2007 12:47 PM > To: Access Developers discussion and problem solving > Subject: [AccessD] e-mail plug-in needed > > ...group > > ...I need to get a full blown e-mail app running quickly in Access 2003 > ...looking at the FMS plug-in but it is only a partial solution and the > code > is locked ...need to be able do everything it does plus keep an audit > trail > of addresses rejected by the receiving isp and offer the user the > ability to > respond to that information. > > ...any ideas, suggestions, experence, recommendations, or references > appreciated > > William > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > The information contained in this transmission is intended only for the > person or entity to which it is addressed and may contain II-VI > Proprietary and/or II-VI BusinessSensitve material. If you are not the > intended recipient, please contact the sender immediately and destroy the > material in its entirety, whether electronic or hard copy. You are > notified that any review, retransmission, copying, disclosure, > dissemination, or other use of, or taking of any action in reliance upon > this information by persons or entities other than the intended recipient > is prohibited. > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 31 11:06:05 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 11:06:05 -0500 Subject: [AccessD] Form Position In-Reply-To: <008a01c81b4b$b4740a60$0301a8c0@HAL9005> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq> <008a01c81b4b$b4740a60$0301a8c0@HAL9005> Message-ID: <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> Thanks guys, Its the aproach I will take too - if I have to :o) I was actually asking for some code snippets that I could modify for this because its just one one of those nicity-nice things and I just don't have the time to write the code from scratch for it right now. I am just going to center the pop-up form on screen for now. From Gustav at cactus.dk Wed Oct 31 12:28:18 2007 From: Gustav at cactus.dk (Gustav Brock) Date: Wed, 31 Oct 2007 18:28:18 +0100 Subject: [AccessD] SQL Server observed performance Message-ID: Hi all It appears that the new Falcon engine of MySQL has improved regarding speed of inserts: http://blogs.mysql.com/robin/2007/10/03/improved-handling-of-large-falcon-transactions/ This equals to about 48,000 records per second which is approaching that of loading a file directly (link below). I guess no index can be present to reach this speed. /gustav >>> Gustav at cactus.dk 31-10-2006 18:03 >>> Hi John Under some specific conditions you could easily increase import speed about 20 fold with MySQL: http://databaseadvisors.com/mailman/htdig/accessd/2006-May/043865.html And "modest hardware" indeed: IBM PC300, 266 MHz CPU, 256 MB ram, one IDE drive. Of course, you would need to build indices etc. later, but still ... /gustav >>> jwcolby at colbyconsulting.com 31-10-2006 17:20:43 >>> I thought you guys might find this interesting. I have a database that I imported a couple of years ago. On a single processor 3 ghz AMD64 running 2 mbytes of memory, using (4) individual IDE 250gb hard drives (no raid) the system would import ~ 1000 rows per second into SQL Server. Each text file was ~10 gbytes, consisted of ~700 fields and 3 million records per file. Each field was originally padded right with spaces (comma delimited, but fixed width). This time around, I built an Access (really just VBA) preprocessor to open each file, read it line by line, strip all of the padding off the left and right sides (there was some left padding as well) and write it back out to another file. This dropped the average text file size to ~ 6.5 gbytes, which leaves us with average padding of well over 35%. It also left the resulting data in the unpadded after importing into SQL Server which makes sorts / searches and indexes possible. Anyway, after stripping all of this padding and building new files, I am now importing these into my new server which is a AMD64 X2 dual processor 3.8 ghz with 2 gbytes of ram. The disk subsystem is now a pair of volumes hosted on a raid 6 array, 1 tbyte for the main data store and ~400 gb for the temp databases. The new system imports the new (stripped) data files at about 3000 records per second. I have to run 3 imports at a time to keep both cores above 90% usage. Running 3 imports at a time, the imports happen roughly at 2k records / second FOR EACH IMPORT. Oddly, if I run more than 4 imports at a time, the processor usage drops back to ~70% for some reason and in fact each import slows to ~500 imports / second. This may have to do with the limits of disk streaming off of the machine that holds the source text files. The source files come from a second machine, all the files on the same disk / directory, over a 1ghz network (switch). I am happy to say though that the new dual processor server appears to be able to perform this specific task ~3 to 6 times as fast which is a huge and much needed performance boost. The other advantage to this configuration is that I am no longer playing games splitting the database up into smaller files residing on individual hard drives, and of course, the whole thing is using raid 6 which provides much needed security. John W. Colby Colby Consulting www.ColbyConsulting.com From john at winhaven.net Wed Oct 31 14:30:57 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 14:30:57 -0500 Subject: [AccessD] Form Position In-Reply-To: <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005> <004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> Message-ID: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) From andy at minstersystems.co.uk Wed Oct 31 15:14:30 2007 From: andy at minstersystems.co.uk (Andy Lacey) Date: Wed, 31 Oct 2007 20:14:30 -0000 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <014801c81bfa$a56717b0$056d8552@minster33c3r25> And so say all of us. -- Andy Lacey http://www.minstersystems.co.uk > -----Original Message----- > From: accessd-bounces at databaseadvisors.com > [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow > Sent: 31 October 2007 19:31 > To: 'Access Developers discussion and problem solving' > Subject: Re: [AccessD] Form Position > > > Went to lunch, got another project, got a free lunch, thought > of "Lebans", looked it up and found the form positioning code > I needed! > > I need to go out to lunch more ;o) > > > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > > From jwcolby at colbyconsulting.com Wed Oct 31 15:19:42 2007 From: jwcolby at colbyconsulting.com (jwcolby) Date: Wed, 31 Oct 2007 16:19:42 -0400 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <001901c81bfb$5f8fcce0$647aa8c0@M90> Indeed! John W. Colby Colby Consulting www.ColbyConsulting.com -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 3:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 31 15:25:18 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 13:25:18 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <81A7FE4F0D334606AB8809C527A84D13@creativesystemdesigns.com> Hi Darren: To actually retrieve the data from the MS SQL server could be like this: Public Function FillCompanies() As Boolean Dim objCmd As ADODB.Command On Error GoTo Err_FillCompanies FillCompanies = False Set objCmd = New ADODB.Command With objCmd .ActiveConnection = gstrConnection .CommandText = "REFillCompanies" .CommandType = adCmdStoredProc End With Set rsCompanies = New ADODB.Recordset rsCompanies.CursorLocation = adUseClient rsCompanies.Open objCmd, , adOpenStatic, adLockOptimistic With rsCompanies If .BOF = False Or .EOF = False Then .MoveLast End With Set objCmd = Nothing FillCompanies = True Exit Function Err_FillCompanies: ShowErrMsg "FillCompanies" End Function Note this is using a MS SQL SP. The simple SP looks like this: CREATE PROC REFillCompanies AS SELECT CasinoCompany.CompanyCode, CasinoCompany.CompanyName, CasinoCompany.CompanyAbrev, CasinoCompany.Active AS CompanyActive, CasinoLocations.LocationCode, CasinoLocations.LocationName, CasinoLocations.Active AS LocationActive FROM CasinoCompany INNER JOIN CasinoLocations ON CasinoCompany.CompanyCode = CasinoLocations.CompanyCode WHERE CasinoCompany.Active=1 ORDER BY CasinoCompany.CompanyName, CasinoLocations.LocationName; GO I will send another piece of code that stores the retrieved recordset in a list box. HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From ssharkins at gmail.com Wed Oct 31 15:42:35 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 31 Oct 2007 16:42:35 -0400 Subject: [AccessD] form doesn't save Message-ID: <004c01c81bfe$94273620$4b3a8343@SusanOne> The following is a simple event procedure that updates a value list combo with user input. It works fine. The problem is, the form won't save the new item. The next time you open the form, the newly added item's gone. It's kind of like, the form doesn't think there's anything to change, because I don't get the Save prompt. Susan H. Private Sub cboMetals_NotInList(NewData As String, _ Response As Integer) 'Update value list with user input. On Error GoTo ErrHandler Dim bytUpdate As Byte bytUpdate = MsgBox("Do you want to add " & _ cboMetals.Value & " to the list?", _ vbYesNo, "Non-list item!") 'Add user input If bytUpdate = vbYes Then Response = acDataErrAdded cboMetals.AddItem NewData 'Update RowSource property for 'XP and older. 'cboMetals.RowSource = _ ' cboMetals.RowSource _ ' & ";" & NewData 'Save updated list. DoCmd.Save acForm, "ValueList" 'Don't add user input Else Response = acDataErrContinue cboMetals.Undo End If Exit Sub ErrHandler: MsgBox Err.Number & ": " & Err.Description, _ vbOKOnly, "Error" End Sub From accessd at shaw.ca Wed Oct 31 16:01:16 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 14:01:16 -0700 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <200710310134.l9V1YbPA025486@databaseadvisors.com> Message-ID: <054781CF8ED948F797CE5E75B02C58E0@creativesystemdesigns.com> Hi Darren: Here is a code sample that I would use to fill a list box: Public Function FillCompanyList(ctlBox As Control, Id As Variant, row As Variant, col As Variant, CODE As Variant) As Variant 'Common Combo and List box fill function. 'Assumes rsCasinoCompany recordset is the supplied data and has 'equal or more fields than required in the control. On Error GoTo Err_FillCompanyList Dim mvReturnVal As Variant mvReturnVal = Null With rsCompaniesResults Select Case CODE Case acLBInitialize ' Initialize. Set rsCompaniesResults = New ADODB.Recordset Set rsCompaniesResults = rsCompanies.Clone ' Or you can simply call the populating records like: ' set rsCompaniesResults = FillCompanies().clone given ' that the function is setup like so: ' Public Function FillCompanies() As Recordset... ' FillCompanies = rsCompanies If .BOF = False Or .EOF = False Then .MoveFirst mvReturnVal = .RecordCount Else mvReturnVal = 0 End If Case acLBOpen ' Open. mvReturnVal = Timer ' Generate unique ID for control. gvComboTimer = mvReturnVal Case acLBGetRowCount ' Get number of rows. mvReturnVal = .RecordCount Case acLBGetColumnCount ' Get number of columns. mvReturnVal = ctlBox.ColumnCount Case acLBGetColumnWidth ' Column width. mvReturnVal = -1 ' -1 forces use of default width. Case acLBGetFormat ' Get format mvReturnVal = -1 Case acLBGetValue ' Get data. .MoveFirst .Move (row) mvReturnVal = .Fields(col) End Select End With FillCompanyList = mvReturnVal Exit_FillCompanyList: Exit Function Err_FillCompanyList: 'Handles error situation caused an apparent unrelated error(s) 'generated in other modules. (It loses its brains...) If Err.Number <> 91 Then ShowErrMsg "FillCompanyList" End If Resume Exit_FillCompanyList End Function Note: Using clone does not make another copy of the data but makes another pointer to the data. Within the List box Row Source insert the name of the function. I.e: FillCompanyList HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From cfoust at infostatsystems.com Wed Oct 31 16:13:06 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 31 Oct 2007 14:13:06 -0700 Subject: [AccessD] form doesn't save In-Reply-To: <004c01c81bfe$94273620$4b3a8343@SusanOne> References: <004c01c81bfe$94273620$4b3a8343@SusanOne> Message-ID: As I recall, you have to be in design view to permanently change the values in the value list. You'd be better off storing the values in a table instead if you want to allow the users to permanently add a value. Charlotte Foust -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 31, 2007 1:43 PM To: AccessD at databaseadvisors.com Subject: [AccessD] form doesn't save The following is a simple event procedure that updates a value list combo with user input. It works fine. The problem is, the form won't save the new item. The next time you open the form, the newly added item's gone. It's kind of like, the form doesn't think there's anything to change, because I don't get the Save prompt. Susan H. Private Sub cboMetals_NotInList(NewData As String, _ Response As Integer) 'Update value list with user input. On Error GoTo ErrHandler Dim bytUpdate As Byte bytUpdate = MsgBox("Do you want to add " & _ cboMetals.Value & " to the list?", _ vbYesNo, "Non-list item!") 'Add user input If bytUpdate = vbYes Then Response = acDataErrAdded cboMetals.AddItem NewData 'Update RowSource property for 'XP and older. 'cboMetals.RowSource = _ ' cboMetals.RowSource _ ' & ";" & NewData 'Save updated list. DoCmd.Save acForm, "ValueList" 'Don't add user input Else Response = acDataErrContinue cboMetals.Undo End If Exit Sub ErrHandler: MsgBox Err.Number & ": " & Err.Description, _ vbOKOnly, "Error" End Sub -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From rockysmolin at bchacc.com Wed Oct 31 16:31:10 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 31 Oct 2007 14:31:10 -0700 Subject: [AccessD] Form Position In-Reply-To: <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq> <00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> Message-ID: <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> John: I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? I found that a pop up form will auto center at the design resolution of 800 x 600 but when I change the resolution to 1280 x 960 it appears shifted way to the left and down. SO I need to get the initial position and adjust it by the ratio of the design resolution to the current resolution. Thanks and best, Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 12:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position Went to lunch, got another project, got a free lunch, thought of "Lebans", looked it up and found the form positioning code I needed! I need to go out to lunch more ;o) -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.14/1100 - Release Date: 10/30/2007 6:26 PM From jengross at gte.net Wed Oct 31 16:58:20 2007 From: jengross at gte.net (Jennifer Gross) Date: Wed, 31 Oct 2007 14:58:20 -0700 Subject: [AccessD] A2K and Office 2003 Message-ID: <00eb01c81c09$29e5f980$6501a8c0@jefferson> Happy Halloween Everyone, I have a client that for reasons relating to Outlook has updated their systems to Office 2003, without Access 2003, while leaving Access 2000 so that my databases can run. I don't want to move the databases to Access 2003 because they are running fine in A2K and have been for years. However, they are running into some bumps in the road, particularly with exporting to Excel using Tools > Office Links. If anybody has an tips regarding the co-existence of Office 2003 with Access 2000 I would greatly appreciate it. Thank you, Jennifer Gross databasics Newbury Park, CA office: (805) 480-1921 fax: (805) 499-0467 From ssharkins at gmail.com Wed Oct 31 16:20:02 2007 From: ssharkins at gmail.com (Susan Harkins) Date: Wed, 31 Oct 2007 17:20:02 -0400 Subject: [AccessD] form doesn't save References: <004c01c81bfe$94273620$4b3a8343@SusanOne> Message-ID: <007101c81c09$3ea91190$4b3a8343@SusanOne> > As I recall, you have to be in design view to permanently change the > values in the value list. You'd be better off storing the values in a > table instead if you want to allow the users to permanently add a value. =======It's just an example of "how-to" Charlotte, not something I have to actually make work, but I didn't know the bit about being in Design view to permanently change the value list -- that would make perfect sense. I hadn't thought to check that, just figured it was the Save method -- something I was doing wrong. Susan H. From cfoust at infostatsystems.com Wed Oct 31 17:07:26 2007 From: cfoust at infostatsystems.com (Charlotte Foust) Date: Wed, 31 Oct 2007 15:07:26 -0700 Subject: [AccessD] form doesn't save In-Reply-To: <007101c81c09$3ea91190$4b3a8343@SusanOne> References: <004c01c81bfe$94273620$4b3a8343@SusanOne> <007101c81c09$3ea91190$4b3a8343@SusanOne> Message-ID: I haven't worked with a value list in so long, I've forgotten how they behave, but there is an AllowDesignChanges property of forms that specifies the view that allows changes, All Views or Design View Only. YOu might be able to switch that in code to save changes to a value list. I've never tried it, and I've always allowed Design View Only changes, but it might be worth a try. Charlotte -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Susan Harkins Sent: Wednesday, October 31, 2007 2:20 PM To: Access Developers discussion and problem solving Subject: Re: [AccessD] form doesn't save > As I recall, you have to be in design view to permanently change the > values in the value list. You'd be better off storing the values in a > table instead if you want to allow the users to permanently add a value. =======It's just an example of "how-to" Charlotte, not something I have to actually make work, but I didn't know the bit about being in Design view to permanently change the value list -- that would make perfect sense. I hadn't thought to check that, just figured it was the Save method -- something I was doing wrong. Susan H. -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From accessd at shaw.ca Wed Oct 31 17:13:23 2007 From: accessd at shaw.ca (Jim Lawrence) Date: Wed, 31 Oct 2007 15:13:23 -0700 Subject: [AccessD] SQL Server observed performance In-Reply-To: Message-ID: My son-in-law is the senior designer and builder of a web site using MySQL with the Falcon engine. He is claiming that his site receives an excess of 200,000 hits per day. (The site pages are totally database driven). He is not sure what the maximum hit level is but the system seems to have room to spare and has so far not flinched. It seems like an awesome engine and approaches the performance of a well tuned MS SQL DB. It would be interesting to see a side by side performance test where all things are equal and see where each tops out. Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Gustav Brock Sent: Wednesday, October 31, 2007 10:28 AM To: accessd at databaseadvisors.com Subject: Re: [AccessD] SQL Server observed performance Hi all It appears that the new Falcon engine of MySQL has improved regarding speed of inserts: http://blogs.mysql.com/robin/2007/10/03/improved-handling-of-large-falcon-tr ansactions/ This equals to about 48,000 records per second which is approaching that of loading a file directly (link below). I guess no index can be present to reach this speed. /gustav >>> Gustav at cactus.dk 31-10-2006 18:03 >>> Hi John Under some specific conditions you could easily increase import speed about 20 fold with MySQL: http://databaseadvisors.com/mailman/htdig/accessd/2006-May/043865.html And "modest hardware" indeed: IBM PC300, 266 MHz CPU, 256 MB ram, one IDE drive. Of course, you would need to build indices etc. later, but still ... /gustav >>> jwcolby at colbyconsulting.com 31-10-2006 17:20:43 >>> I thought you guys might find this interesting. I have a database that I imported a couple of years ago. On a single processor 3 ghz AMD64 running 2 mbytes of memory, using (4) individual IDE 250gb hard drives (no raid) the system would import ~ 1000 rows per second into SQL Server. Each text file was ~10 gbytes, consisted of ~700 fields and 3 million records per file. Each field was originally padded right with spaces (comma delimited, but fixed width). This time around, I built an Access (really just VBA) preprocessor to open each file, read it line by line, strip all of the padding off the left and right sides (there was some left padding as well) and write it back out to another file. This dropped the average text file size to ~ 6.5 gbytes, which leaves us with average padding of well over 35%. It also left the resulting data in the unpadded after importing into SQL Server which makes sorts / searches and indexes possible. Anyway, after stripping all of this padding and building new files, I am now importing these into my new server which is a AMD64 X2 dual processor 3.8 ghz with 2 gbytes of ram. The disk subsystem is now a pair of volumes hosted on a raid 6 array, 1 tbyte for the main data store and ~400 gb for the temp databases. The new system imports the new (stripped) data files at about 3000 records per second. I have to run 3 imports at a time to keep both cores above 90% usage. Running 3 imports at a time, the imports happen roughly at 2k records / second FOR EACH IMPORT. Oddly, if I run more than 4 imports at a time, the processor usage drops back to ~70% for some reason and in fact each import slows to ~500 imports / second. This may have to do with the limits of disk streaming off of the machine that holds the source text files. The source files come from a second machine, all the files on the same disk / directory, over a 1ghz network (switch). I am happy to say though that the new dual processor server appears to be able to perform this specific task ~3 to 6 times as fast which is a huge and much needed performance boost. The other advantage to this configuration is that I am no longer playing games splitting the database up into smaller files residing on individual hard drives, and of course, the whole thing is using raid 6 which provides much needed security. John W. Colby Colby Consulting www.ColbyConsulting.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com From john at winhaven.net Wed Oct 31 17:15:02 2007 From: john at winhaven.net (John Bartow) Date: Wed, 31 Oct 2007 17:15:02 -0500 Subject: [AccessD] Form Position In-Reply-To: <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq><00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq> <008401c81c05$5b6fd8d0$0301a8c0@HAL9005> Message-ID: <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> http://www.lebans.com/openform.htm good luck -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? From kp at sdsonline.net Wed Oct 31 17:41:05 2007 From: kp at sdsonline.net (Kath Pelletti) Date: Thu, 1 Nov 2007 09:41:05 +1100 Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE References: Message-ID: <007501c81c0f$206b76e0$6701a8c0@DELLAPTOP> And this is another great summary of what's good, bad, gone and buggy in 2007: http://www.everythingaccess.com/tutorials.asp?ID=The-lowdown-on-Access-2007 Kath ----- Original Message ----- From: "Hale, Jim" To: Sent: Wednesday, October 31, 2007 1:02 AM Subject: [AccessD] ACCESS 2003 TO 2007 COMMAND REFERENCE GUIDE > http://office.microsoft.com/en-us/access/HA102388991033.aspx > > I just ran across this. > Jim Hale > > > *********************************************************************** > The information transmitted is intended solely for the individual or > entity to which it is addressed and may contain confidential and/or > privileged material. Any review, retransmission, dissemination or > other use of or taking action in reliance upon this information by > persons or entities other than the intended recipient is prohibited. > If you have received this email in error please contact the sender and > delete the material from any computer. As a recipient of this email, > you are responsible for screening its contents and the contents of any > attachments for the presence of viruses. No liability is accepted for > any damages caused by any virus transmitted by this email. > -- > AccessD mailing list > AccessD at databaseadvisors.com > http://databaseadvisors.com/mailman/listinfo/accessd > Website: http://www.databaseadvisors.com > From rockysmolin at bchacc.com Wed Oct 31 18:15:34 2007 From: rockysmolin at bchacc.com (Rocky Smolin at Beach Access Software) Date: Wed, 31 Oct 2007 16:15:34 -0700 Subject: [AccessD] Form Position In-Reply-To: <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> References: <003301c81b25$5d410020$6402a8c0@ScuzzPaq><008a01c81b4b$b4740a60$0301a8c0@HAL9005><004e01c81bd7$f1561bd0$6402a8c0@ScuzzPaq><00a501c81bf4$8fcf3230$6402a8c0@ScuzzPaq><008401c81c05$5b6fd8d0$0301a8c0@HAL9005> <00e601c81c0b$7c150730$6402a8c0@ScuzzPaq> Message-ID: <00a801c81c13$f0ff5200$0301a8c0@HAL9005> Got it. Thanks. Rocky -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of John Bartow Sent: Wednesday, October 31, 2007 3:15 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Form Position http://www.lebans.com/openform.htm good luck -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Rocky Smolin at Beach Access Software I just came up with a requirement to do this today. But can't find the right page on Lebans' site. Can you give me a URL? -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com No virus found in this incoming message. Checked by AVG Free Edition. Version: 7.5.503 / Virus Database: 269.15.14/1100 - Release Date: 10/30/2007 6:26 PM From darren at activebilling.com.au Wed Oct 31 21:01:19 2007 From: darren at activebilling.com.au (Darren D) Date: Thu, 1 Nov 2007 13:01:19 +1100 Subject: [AccessD] Connect to SQL and retrieve records In-Reply-To: <054781CF8ED948F797CE5E75B02C58E0@creativesystemdesigns.com> Message-ID: <200711010201.lA121Ea9026644@databaseadvisors.com> Hi Jim Brilliant - I am experimenting with this type of thing a lot and was going to start asking questions about Stored Procedures - thank you very much DD -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Thursday, 1 November 2007 8:01 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Here is a code sample that I would use to fill a list box: Public Function FillCompanyList(ctlBox As Control, Id As Variant, row As Variant, col As Variant, CODE As Variant) As Variant 'Common Combo and List box fill function. 'Assumes rsCasinoCompany recordset is the supplied data and has 'equal or more fields than required in the control. On Error GoTo Err_FillCompanyList Dim mvReturnVal As Variant mvReturnVal = Null With rsCompaniesResults Select Case CODE Case acLBInitialize ' Initialize. Set rsCompaniesResults = New ADODB.Recordset Set rsCompaniesResults = rsCompanies.Clone ' Or you can simply call the populating records like: ' set rsCompaniesResults = FillCompanies().clone given ' that the function is setup like so: ' Public Function FillCompanies() As Recordset... ' FillCompanies = rsCompanies If .BOF = False Or .EOF = False Then .MoveFirst mvReturnVal = .RecordCount Else mvReturnVal = 0 End If Case acLBOpen ' Open. mvReturnVal = Timer ' Generate unique ID for control. gvComboTimer = mvReturnVal Case acLBGetRowCount ' Get number of rows. mvReturnVal = .RecordCount Case acLBGetColumnCount ' Get number of columns. mvReturnVal = ctlBox.ColumnCount Case acLBGetColumnWidth ' Column width. mvReturnVal = -1 ' -1 forces use of default width. Case acLBGetFormat ' Get format mvReturnVal = -1 Case acLBGetValue ' Get data. .MoveFirst .Move (row) mvReturnVal = .Fields(col) End Select End With FillCompanyList = mvReturnVal Exit_FillCompanyList: Exit Function Err_FillCompanyList: 'Handles error situation caused an apparent unrelated error(s) 'generated in other modules. (It loses its brains...) If Err.Number <> 91 Then ShowErrMsg "FillCompanyList" End If Resume Exit_FillCompanyList End Function Note: Using clone does not make another copy of the data but makes another pointer to the data. Within the List box Row Source insert the name of the function. I.e: FillCompanyList HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Tuesday, October 30, 2007 6:35 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Sorry - Wasn't clear In an Access dB I would do something like the code below To get records How is this achieved using the Connection strings to an SQL Server 2000 dB?? Many thanks Darren ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ Dim db As DAO.Database Dim sel_SQL As String Dim rs As DAO.Recordset Set db = CurrentDb() sel_SQL1 = "SELECT * FROM Account" Set rs = db.OpenRecordset(sel_SQL) If (rs.EOF) Then MsgBox "NOTHING TO SHOW DUDE" Else While (Not (rs.EOF)) Debug.Print !AccountNo rs.MoveNext Wend End If rs.Close Set rs = Nothing Set db = Nothing ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Wednesday, 31 October 2007 11:47 AM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Jim Thanks for this I was after the bits after that - Where you set up a RS object then loop through the rs and build a string say of results and put them to a grid or populate a grid with the results Thanks in advance Darren -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Jim Lawrence Sent: Tuesday, 23 October 2007 9:31 PM To: 'Access Developers discussion and problem solving' Subject: Re: [AccessD] Connect to SQL and retrieve records Hi Darren: Once the MS SQL Database is setup it is really easy. Public gstrConnection As String Private mobjConn As ADODB.Connection Public Function InitializeDB() As Boolean On Error GoTo Err_InitializeDB gstrConnection = "Provider=SQLOLEDB;Initial Catalog=MyDatabase;Data Source=MyServer;Integrated Security=SSPI" 'Test connection string Set mobjConn = New ADODB.Connection mobjConn.ConnectionString = gstrConnection mobjConn.Open InitializeDB = True Exit_InitializeDB: Exit Function Err_InitializeDB: InitializeDB = False End Function HTH Jim -----Original Message----- From: accessd-bounces at databaseadvisors.com [mailto:accessd-bounces at databaseadvisors.com] On Behalf Of Darren D Sent: Monday, October 22, 2007 7:35 PM To: 'Access Developers discussion and problem solving' Subject: [AccessD] Connect to SQL and retrieve records Hi All >From an Access 200/2003 MdB Does anyone have an example or some sample code where I can connect to an SQL Server dB Perform a select on a table in the SQL dB Return the records Display them on some form or grid Then close the connections? Many thanks in advance DD -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com -- AccessD mailing list AccessD at databaseadvisors.com http://databaseadvisors.com/mailman/listinfo/accessd Website: http://www.databaseadvisors.com