Oxygen Basic

Programming => Example Code => General => Topic started by: Arnold on June 05, 2015, 10:27:46 AM

Title: Different approach for Commandline arguments
Post by: Arnold on June 05, 2015, 10:27:46 AM
Hi Charles,

in examples\system I found cmdlinesplitter.o2bas. I would like to apply another approach which I think is useful (not my idea but I like it).

If run by gxo2 or co2 the arguments are:

1) gxo2.exe or co2.exe
2) application (.o2bas, .bas)
3) arg1
4) arg2
...

if run as a stand-alone application:

1) app.exe
2) app.exe (placeholder)
3) arg1
4) arg2
...

This way the parameters for the application would always start at index 3. I managed to create a procedure which extracts an ordered array of arguments and the count of the array. This is the code of the first draft:

Edit: deleted

This code works fine, but I am not sure if I must pay attention because of GetCommandLine? E.g. GetCommandLine is used in minwin.inc. Will there be any conflict if I use GetCommandLine in the splitCommandLine procedure too?

And I wonder if the code could be improved a little bit more to get rid of some superfluous statements? Is it possible to determine the mandatory value of 'countof(params)' inside the sub splitCommandLine?

Roland
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 05, 2015, 11:14:22 PM
Hi Roland,

I don't think duplicating ! GetCommandLine will cause problems.



You can read ascii in a string directly, instead of creating a substring for it asc(mid(s,i))
asc(s,i)


You can also perform an exclusion check in one go:

if instr(" gxo2 gxo2.exe co2 co2.exe "," "+lcase(args[1])+" ")=0 then ..



countof(params) .. is a fixed value determined at compile-time, so it has to be passed explicitly.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 07, 2015, 02:18:38 AM
Hi Charles,

my questions reveal that I am not a real programmer. But each time I learn a little bit more about Oxygenbasic. And I learned that I as a programmer should at least take responsibility to use the correct values.
I experimented a little bit with dynamic.inc library, but I think the splitcommandline sub works ok as it is. Using instr does not work in this case, because args(x) can point to the full path of gxo2.exe / co2.exe.

With help of this little project it should be possible to see if a program is run with gxo2.exe or as a stand-alone application. With arg[1] it should be possible to get the full path of gxo2.exe / co2.exe if they are used, with arg[2] it should be possible to get the current path of the application if run with gxo2.exe. These will be my next steps and I found that you already provided some demos in folder examples.

There is a problem: if I set the path of OxygenBasic in the environment and call gxo2.exe application then there is an include error. I must always use e.g. c:\oxygenbascic\gxo2.exe app. It seems that includepath "$/inc/" will not recognize the full path of oxygenbasic if I  only use gxo2.exe?

Roland

Code: OxygenBasic
  1. $ filename "SplitCommandline.exe"
  2. includepath "$/inc/"
  3. '#include "RTL32.inc"
  4. '#include "RTL64.inc"
  5. include "Console.inc"
  6. '#include "MinWin.inc"
  7.  
  8.  
  9. sub splitCommandLine(sys array, cnt, int limit)
  10.  
  11.    string args at array
  12.    int ix at cnt
  13.  
  14.    ! GetCommandLine alias "GetCommandLineA" lib "kernel32.dll" () as char*
  15.  
  16.    string cmdline = GetCommandLine
  17.    int length=len(cmdline)
  18.  
  19.    ix=0
  20.    if limit < 2 then
  21.       print "Error in splitCommandLine: limit < 2 "    
  22.       return
  23.    end if
  24.  
  25.    ' build array of args
  26.   p1=1: p2=p1
  27.  
  28.    do
  29.      'must start with value higher than space
  30.     if asc(cmdline,p1) > 32 then
  31.         'next match
  32.        p2=p1+1
  33.         do
  34.           if asc(cmdline,p2) > 32 then
  35.              p2+=1
  36.           else
  37.              p2-=1
  38.              exit do
  39.           end if
  40.         end do
  41.  
  42.         ix+=1            
  43.         args[ix]=mid(cmdline,p1,p2-p1+1)
  44.         if asc(cmdline,p1) = 34 then
  45.            'remove quote
  46.           le=len(args[ix])-2
  47.            args[ix]=mid(args[ix],2,le)
  48.         end if
  49.  
  50.         if ix=1 then
  51.            if mid(args[1],-8) != "gxo2.exe"  _
  52.                 and mid(args[1],-4) != "gxo2"  _
  53.                 and mid(args[1],-7) != "co2.exe" _
  54.                 and mid(args[1],-3) != "co2" then
  55.  
  56.               'add placeholder
  57.              args[2]=args[1]
  58.               ix+=1
  59.            end if
  60.         end if
  61.      
  62.      end if
  63.      
  64.      if ix=limit then exit do
  65.  
  66.      'next arg
  67.     p1=p2+1
  68.      do
  69.        if asc(cmdline,p1) > 32 then
  70.           exit do
  71.        else
  72.           p1+=1
  73.           if p1>length then exit do
  74.        end if
  75.      end do
  76.      if p1 > length then exit do    
  77.  
  78.    end do
  79. end sub
  80.  
  81.  
  82. ' Test
  83. '====='
  84.  
  85. dim as string params[16]=""
  86. int count
  87.  
  88. splitCommandLine(@params, @count, countof(params))
  89.  
  90. if count=2 then
  91.    cls
  92.    print "Usage: SplitCommandline arg1 arg2 arg3 ..." & cr
  93.    print "For Help use: SplitCommandLine -help" & cr      
  94. end if
  95.  
  96. if count=3 and params[3]="-help" then
  97.    cls
  98.    print "SplitCommandline is an approach to arrange arguments in the same order" & cr
  99.    print "no matter if run with gxo2.exe / co2.exe or as a stand-alone application" & cr          
  100. end if
  101.  
  102. if count=3 and params[3]!="-help" then
  103.    cls
  104.    print "Commandline arguments:" & cr
  105.    for x=1 to count
  106.       print x ") "params[x] & cr
  107.    next x
  108.    print "count of arguments: " count & cr
  109. end if
  110.  
  111. if count>3 then
  112.    cls
  113.    print "Commandline arguments:" & cr
  114.    for x=1 to count
  115.       print x ") "params[x] & cr
  116.    next x
  117.    print "count of arguments: " count & cr
  118. end if
  119.  
  120. print "Enter..." & cr
  121. waitkey()                
  122.  


.
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 07, 2015, 09:28:01 AM
Arnold
i really don't know why you use char* pointer as result of CommandLine
Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as String
also windows require full path
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 07, 2015, 10:37:02 AM
Quote from: SB Docs
COMMAND()

This function returns the command line arguments of the program in a single string. This does not include the name of the interpreter and the name of the BASIC program, only the arguments that are to be passed to the BASIC program. For example the program started as

# scriba test_command.sb arg1 arg2  arg3

will see "arg1 arg2 arg3" string as the return value of the function COMMAND().

Keeping it simple requires only a split and serve.

FYI: Script BASIC also allows passing command line arguments to embedded instances of SB and threads.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 07, 2015, 10:45:29 AM
 Hi Aurel,

Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as String
will not work with this project. I could use:

Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as zstring (ptr)
Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as asciiz (ptr)

but
Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as char*
looks nice.

Windows requires full path in every case? If you are in a command window, how do you start notepad?

Roland
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 07, 2015, 10:50:40 AM
Hi John,

there are certainly different possibilites to get the arguments of the commandline. But one purpose of this little project is to decide if the app is compiled or run with gxo2.exe or co2.exe.

Roland
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 07, 2015, 11:15:43 AM
The JIT factor.  8)
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 07, 2015, 01:00:00 PM
Quote
Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () as String
will not work with this project
...and do you know why not ?
i guess...because is declared inside subroutine then returned char pointer become global
or i am completelly wrong  ::)
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 07, 2015, 11:07:35 PM
Hi Aurel,

I looked in the demos of Oxygenbasic and only awinh.inc tries to get string as a return value of of the low level function GetCommandLine.

In the win32 help file there is the definition:

LPTSTR GetCommandLine(VOID)

In Internet I searched for LPTSTR and found this link with the Datatypes:  (https://msdn.microsoft.com/en-us/library/windows/desktop/aa383751(v=vs.85).aspx)

#ifdef UNICODE
 typedef LPWSTR LPTSTR;
#else
 typedef LPSTR LPTSTR;
#endif

LPSTR:
A pointer to a null-terminated string of 8-bit Windows (ANSI) characters. For more information, see Character Sets Used By Fonts.

Therefore GetCommandLine in the ansi world returns a zstring or asciiz (ptr) which makes sense to me. I think string in OxygenBasic serves for higher level purposes. And I think as string has automatic garbage collection it is maybe not a good idea to use a string pointer as a return value in low level functions.

Roland

Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 08, 2015, 01:50:23 AM

Hi Roland,

Oxygen will now derive the '$' exe path from GetModuleFileName instead of GetCommandLine.

This guarantees that  '$' always contains the fully qualified exe path.

Does this resolve the environment path problem?



Oxygen DLL Update (200k)
http://www.oxygenbasic.org/o2zips/Oxygen.zip

Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 08, 2015, 02:11:31 AM
Hi everybody,

I think that ready access to a program's environment variables and command line parameters is not a high-level language privilege but rather a must.

Even (comparatively) low-level C provides the programmer with those through the argv[] (param array), argc (param count) arguments to the C program's conventional main entry point defined by the program's main() function. Actually, this isn't the first function that the program would execute at its start time. The C linker would pre-link a lot more functions into the program binary preceding the point at which main() is executed, one of which would always be supposed to provide the main() function with the argv[] command line parameter array and its associated argc count. The exact list and tasks of those extra prologue functions would be compiler and platform dependent but in any case, the programmer would be provided with equal functionality of main() transparently regardless of what compiler they use and on what platform they currently are.

It is only in GUI programs that the C programmer is supposed to call GetCommandLine() under Windows themselves and parse its return string manually but I really do not see any reason why a higher-level language such as OxygenBasic shouldn't ensure that its users can access the command line parameters through a convenient function of the language itself.

FBSL provides the programmer with a STANDALONE environment constant that's TRUE if the program runs precompiled from a stand-alone binary, and FALSE otherwise if interpreted or JIT compiled depending on its content. Access to command line arguments is ensured in both console and GUI scripts via uniform Command() and CommandCount() functions, whereby:

[EDIT] Additionally, FBSL provides an APPEXEPATH environment constant that always returns a fully qualified path to the binary that is currently running. This would evaluate to the location where Fbsl.exe and/or Fbsl_Tiny.exe is/are installed if the program runs in the interpretative/JIT compiled mode and the respective STANDALONE value is FALSE, or to the fully qualified path to the precompiled program executable if it is running from its own binary and the respective STANDALONE value is TRUE.

Once an FBSL standalone program is started, its current directory path is always changed to where its binary is located, and the programmer can always resolve any extra relative path dependencies using a CurDir() function call and point the program's current path focus to other disk locations using a CD pathname (= chdir, change current directory) command.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 08, 2015, 09:46:03 AM
Hi Charles,

using the lastest update of Oxygen.dll I had no problems with the include statements when running gxo2 in the path environement. And everything else on my system works as expected.

Roland
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 08, 2015, 09:47:37 AM
Hi Mike,

I agree that a builtin for getting the commandline args, appexe path / current directory would be helpful (no need for argv, argc). I assume this would not add much overhead to Oxygen.dll. I do not know what should be the case if Oxygenbasic is used with other programming languages but at least Scriptbasic has it's own way to retrieve the commandline, so there should be no problem. But Charles must decide if it is worthwile to add this functionality. In the meantime my little project (which is almost finished) could help in these cases. At least it will be of some help for me. (smiley)

Roland
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 08, 2015, 01:46:59 PM
Arnold
again..don't get me wrong but this is from vBcode forum:
Quote
I have used following API's

Private Declare Function ShellExecute Lib "shell32.dll" Alias "ShellExecuteA" (ByVal hWnd As Long, ByVal lpOperation As String, ByVal lpFile As String, ByVal lpParameters As String, ByVal lpDirectory As String, ByVal nShowCmd As Long) As Long

Private Declare Function GetCommandLine Lib "kernel32.dll" Alias "GetCommandLineA" () As String

Private Const SW_MAXIMIZE = 3

Private Declare Function GetWindowsDirectory Lib "kernel32" Alias "GetWindowsDirectoryA" (ByVal lpBuffer As String, ByVal nSize As Long) As Long

so if there is used As String  then must work
and from i know and from my experience  in Api declarations most proper way is to use VB way.
so nothing special... ;)
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 08, 2015, 02:15:33 PM
Quote from: Arnold
but at least Scriptbasic has it's own way to retrieve the commandline, so there should be no problem.

Script BASIC gets its environment variables via the ENVIRON function.

Quote from: SB Docs
ENVIRON

This function returns the value of an environment variable. Environment variables are string values associated to names that are provided by the executing environment for the programs. The executing environment is usually the operating system, but it can also be the Web server in CGI programs that alters the environment variables provided by the surrounding operating system specifying extra values.

This function can be used to get the string of an environment variable in case the program knows the name of the variable or to list all the environment variables one by one.

If the environment variable name is known then the name as a string has to be passed to this function as argument. In this case the return value is the value of the environment variable.

If the program wants to list all the environment variables the argument to the function ENVIRON can be an integer number n. In this case the function returns a string containing the name and the value joined by a = sign of the n-th environment variable. The numbering starts with n=0.

If the argument value is integer and is out of the range of the possible environment variable ordinal numbers (negative or larger or equal to the number of the available environment variables) then the function returns undef.

If the argument to the function is undef then the function also returns the undef value.

Note that ScriptBasic provides an easy way for the embedding applications to redefine the underlying function that returns the environment variable. Thus an embedding application can "fool" a BASIC program providing its own environment variable. For example the Eszter SB Application Engine provides an alternative environment variable reading function and thus BASIC applications can read the environment using the function ENVIRON as if the program was running in a real CGI environment.

Code: Script BASIC
  1. i=0
  2. do
  3.   e$ = environ(i)
  4.   if IsDefined(e$) then
  5.     print e$
  6.     print
  7.   endif
  8.   i = i + 1
  9. loop while IsDefined(e$)
  10.  

Output

jrs@laptop:~/sb/sb22/test$ scriba env.sb
XDG_VTNR=7
XDG_SESSION_ID=c2
CLUTTER_IM_MODULE=xim
SELINUX_INIT=YES
XDG_GREETER_DATA_DIR=/var/lib/lightdm-data/jrs
SESSION=gnome-fallback-compiz
GPG_AGENT_INFO=/run/user/1000/keyring-18gpoe/gpg:0:1
TERM=xterm
SHELL=/bin/bash
XDG_MENU_PREFIX=gnome-flashback-
VTE_VERSION=3409
WINDOWID=62914571
OLDPWD=/home/jrs
UPSTART_SESSION=unix:abstract=/com/ubuntu/upstart-session/1000/2007
GNOME_KEYRING_CONTROL=/run/user/1000/keyring-18gpoe
PERL_MB_OPT=--install_base "/home/jrs/perl5"
GTK_MODULES=overlay-scrollbar:unity-gtk-module
USER=jrs
LS_COLORS=rs=0:di=01;34:ln=01;36:mh=00:pi=40;33:so=01;35:do=01;35:bd=40;33;01:cd=40;33;01:or=40;31;01:su=37;41:sg=30;43:ca=30;41:tw=30;42:ow=34;42:st=37;44:ex=01;32:*.tar=01;31:*.tgz=01;31:*.arj=01;31:*.taz=01;31:*.lzh=01;31:*.lzma=01;31:*.tlz=01;31:*.txz=01;31:*.zip=01;31:*.z=01;31:*.Z=01;31:*.dz=01;31:*.gz=01;31:*.lz=01;31:*.xz=01;31:*.bz2=01;31:*.bz=01;31:*.tbz=01;31:*.tbz2=01;31:*.tz=01;31:*.deb=01;31:*.rpm=01;31:*.jar=01;31:*.war=01;31:*.ear=01;31:*.sar=01;31:*.rar=01;31:*.ace=01;31:*.zoo=01;31:*.cpio=01;31:*.7z=01;31:*.rz=01;31:*.jpg=01;35:*.jpeg=01;35:*.gif=01;35:*.bmp=01;35:*.pbm=01;35:*.pgm=01;35:*.ppm=01;35:*.tga=01;35:*.xbm=01;35:*.xpm=01;35:*.tif=01;35:*.tiff=01;35:*.png=01;35:*.svg=01;35:*.svgz=01;35:*.mng=01;35:*.pcx=01;35:*.mov=01;35:*.mpg=01;35:*.mpeg=01;35:*.m2v=01;35:*.mkv=01;35:*.webm=01;35:*.ogm=01;35:*.mp4=01;35:*.m4v=01;35:*.mp4v=01;35:*.vob=01;35:*.qt=01;35:*.nuv=01;35:*.wmv=01;35:*.asf=01;35:*.rm=01;35:*.rmvb=01;35:*.flc=01;35:*.avi=01;35:*.fli=01;35:*.flv=01;35:*.gl=01;35:*.dl=01;35:*.xcf=01;35:*.xwd=01;35:*.yuv=01;35:*.cgm=01;35:*.emf=01;35:*.axv=01;35:*.anx=01;35:*.ogv=01;35:*.ogx=01;35:*.aac=00;36:*.au=00;36:*.flac=00;36:*.mid=00;36:*.midi=00;36:*.mka=00;36:*.mp3=00;36:*.mpc=00;36:*.ogg=00;36:*.ra=00;36:*.wav=00;36:*.axa=00;36:*.oga=00;36:*.spx=00;36:*.xspf=00;36:
XDG_SESSION_PATH=/org/freedesktop/DisplayManager/Session0
XDG_SEAT_PATH=/org/freedesktop/DisplayManager/Seat0
SSH_AUTH_SOCK=/run/user/1000/keyring-18gpoe/ssh
DEFAULTS_PATH=/usr/share/gconf/gnome-fallback-compiz.default.path
SESSION_MANAGER=local/laptop:@/tmp/.ICE-unix/2239,unix/laptop:/tmp/.ICE-unix/2239
XDG_CONFIG_DIRS=/etc/xdg/xdg-gnome-fallback-compiz:/usr/share/upstart/xdg:/etc/xdg
PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin:/usr/games:/usr/local/games
DESKTOP_SESSION=gnome-fallback-compiz
QT_IM_MODULE=ibus
QT_QPA_PLATFORMTHEME=appmenu-qt5
JOB=dbus
PWD=/home/jrs/sb/sb22/test
XMODIFIERS=@im=ibus
GNOME_KEYRING_PID=2002
LANG=en_US.UTF-8
GDM_LANG=en_US
MANDATORY_PATH=/usr/share/gconf/gnome-fallback-compiz.mandatory.path
UBUNTU_MENUPROXY=0
IM_CONFIG_PHASE=1
GDMSESSION=gnome-fallback-compiz
SESSIONTYPE=gnome-session
XDG_SEAT=seat0
HOME=/home/jrs
SHLVL=1
LANGUAGE=en_US
GNOME_DESKTOP_SESSION_ID=this-is-deprecated
LOGNAME=jrs
XDG_DATA_DIRS=/usr/share/gnome-fallback-compiz:/usr/share/gnome:/usr/local/share/:/usr/share/
QT4_IM_MODULE=xim
DBUS_SESSION_BUS_ADDRESS=unix:abstract=/tmp/dbus-xZpxtiegfc
LESSOPEN=| /usr/bin/lesspipe %s
INSTANCE=
TEXTDOMAIN=im-config
XDG_RUNTIME_DIR=/run/user/1000
DISPLAY=:0.0
XDG_CURRENT_DESKTOP=Unity
GTK_IM_MODULE=ibus
LESSCLOSE=/usr/bin/lesspipe %s %s
PERL_MM_OPT=INSTALL_BASE=/home/jrs/perl5
TEXTDOMAINDIR=/usr/share/locale/
COLORTERM=gnome-terminal
XAUTHORITY=/home/jrs/.Xauthority
_=/usr/bin/scriba
jrs@laptop:~/sb/sb22/test$


Windows XP

C:\sb22\test>scriba envwin.sb
ALLUSERSPROFILE=C:\Documents and Settings\All Users
APPDATA=C:\Documents and Settings\XP-User\Application Data
CLIENTNAME=Console
CommonProgramFiles=C:\Program Files\Common Files
COMPUTERNAME=VIRTUALBOX
ComSpec=C:\WINXP\system32\cmd.exe
FP_NO_HOST_CHECK=NO
HOMEDRIVE=C:
HOMEPATH=\Documents and Settings\XP-User
include=C:\Program Files\Microsoft Visual Studio\VC98\atl\include;C:\Program Files\Microsoft Visual Studio\VC98\mfc\include;C:\Progr
am Files\Microsoft Visual Studio\VC98\include
lib=C:\Program Files\Microsoft Visual Studio\VC98\mfc\lib;C:\Program Files\Microsoft Visual Studio\VC98\lib
LOGONSERVER=\\VIRTUALBOX
MSDevDir=C:\Program Files\Microsoft Visual Studio\Common\MSDev98
NUMBER_OF_PROCESSORS=1
OS=Windows_NT
Path=C:\Perl\site\bin;C:\Perl\bin;C:\Documents and Settings\All Users\Application Data\Oracle\Java\javapath;C:\Program Files\Windows
 Resource Kits\Tools\;C:\WINXP\system32;C:\WINXP;C:\WINXP\System32\Wbem;c:\scriptbasic\bin;C:\root\bin;C:\BASM\Bin;c:\Program Files\
Microsoft SQL Server\90\Tools\binn\;C:\TDM-GCC-32\bin;C:\Program Files\Microsoft Visual Studio\Common\Tools\WinNT;C:\Program Files\M
icrosoft Visual Studio\Common\MSDev98\Bin;C:\Program Files\Microsoft Visual Studio\Common\Tools;C:\Program Files\Microsoft Visual St
udio\VC98\bin;C:\Program Files\IDM Computer Solutions\UltraEdit\
PATHEXT=.COM;.EXE;.BAT;.CMD;.VBS;.VBE;.JS;.JSE;.WSF;.WSH
PROCESSOR_ARCHITECTURE=x86
PROCESSOR_IDENTIFIER=x86 Family 6 Model 37 Stepping 5, GenuineIntel
PROCESSOR_LEVEL=6
PROCESSOR_REVISION=2505
ProgramFiles=C:\Program Files
PROMPT=$P$G
PYTHONPATH=C:\root\\bin
ROOTSYS=C:\root\
SESSIONNAME=Console
SystemDrive=C:
SystemRoot=C:\WINXP
TEMP=C:\DOCUME~1\XP-User\LOCALS~1\Temp
TMP=C:\DOCUME~1\XP-User\LOCALS~1\Temp
USERDOMAIN=VIRTUALBOX
USERNAME=XP-User
USERPROFILE=C:\Documents and Settings\XP-User
VS90COMNTOOLS=c:\Program Files\Microsoft Visual Studio 9.0\Common7\Tools\
windir=C:\WINXP

C:\sb22\test>
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 09, 2015, 12:19:12 AM
Thanks everyone for all your input :)

My inclination is to put all the utilities required for handling command-lines into inc\ParseUtil.inc. A few extra functions are required, and then you will have all the tools needed for handling commands, config files, and mini-languages, for the price of about 8k of included source.

With functions like GetWord(source,index), the argc/argv construct may be redundant.

PS Oxygen strings are not char*, but downwards compatible with them. You must not specify a return string in a declaration where char* is returned. The length field expected by strings will not be present.

ParseUtil in its current form: (6k)
Code: OxygenBasic
  1.  
  2. sys    sttw    'word position
  3. sys    ascb    'word ascii code actual
  4. sys    ascw    'word ascii code presented
  5. sys    lenw    'word length
  6. sys    opw     'operator token
  7.  
  8.  
  9. function instrword(sys i,string s,k) as sys
  10. ===========================================
  11. sys  lk=len k,lb,rb
  12. byte b at strptr(s)
  13. if not k then return 0
  14. if i=0 then i=1
  15. do
  16.   i=instr(i,s,k)
  17.   if i=0 then
  18.     return 0
  19.   end if
  20.   lb=i-1
  21.   rb=i+lk
  22.   if b[rb]<33 then
  23.     if i=1 or b[lb]<33
  24.       return i
  25.     end if
  26.   end if
  27.   i+=lk
  28. end do
  29. end function
  30.  
  31.  
  32. function lookupindex(string s,k) as sys
  33. =======================================
  34. sys a
  35. a=instrword(1,s,k)
  36. if a then
  37.   return valat a+len(k)+strptr s
  38. end if
  39. end function
  40.  
  41.  
  42. function instrb(byte*bb,*bk) as sys
  43. ===================================
  44. sys b
  45. do
  46.   b=bb
  47.   select bk
  48.   case 0    : return 1
  49.   case b    : 'match chars
  50.  case else : return 0
  51.   end select
  52.   @bk++
  53.   @bb++
  54. end do
  55. end function
  56.  
  57.  
  58. function instrev(sys i,string s,k) as sys
  59. =========================================
  60. sys  a=asc k
  61. sys  lk=len k
  62. sys  ls=len s
  63. if i=0 then
  64.   i=ls
  65. elseif i>ls then
  66.   i=ls
  67. end if
  68. byte b at strptr s
  69. byte c at strptr k
  70. do
  71.   if i<1 then exit do
  72.   select b[i]
  73.   case a : if instrb(b[i],c) then exit do
  74.   end select
  75.   i--
  76. end do
  77. return i
  78. end function
  79.  
  80.  
  81. 'DEFAULT EQUATES
  82. ================
  83. %% SymbolTerm     40,41
  84. %% SymbolQuote    34,39,96
  85. %% SymbolComment  59
  86. %% SymbolEndLine  13,10,11,12
  87. %% SymbolEndState 41
  88.  
  89.  
  90. function skipspace(string s, sys*i)
  91. ===================================
  92. byte b at strptr s
  93. do
  94.   ascb=b[i]
  95.   ascw=ascb
  96.   select ascb
  97.   case 0              : exit do
  98.   case SymbolEndState : ascw=0 : exit do
  99.   case 33 to 255 :    : exit do
  100.   end select
  101.   i++
  102. end do
  103. end function
  104.  
  105.  
  106. function skiplspace(string s, sys*i)
  107. ====================================
  108. byte b at strptr s
  109. do
  110.   ascb=b[i]
  111.   ascw=ascb
  112.   select ascb
  113.   case 0              : exit do
  114.   case SymbolEndLine  : exit do
  115.   case SymbolEndState : ascw=0 : exit do
  116.   case 33 to 255      : exit do
  117.   end select
  118.   i++
  119. end do
  120. end function
  121.  
  122.  
  123. function endline(string s, sys*i)
  124. =================================
  125. byte b at strptr s
  126. do
  127.   select b[i]
  128.   case 0             : exit do
  129.   case SymbolEndLine : exit do
  130.   end select
  131.   i++
  132. end do
  133. end function
  134.  
  135.  
  136. function nextline(string s, sys*i)
  137. ==================================
  138. byte b at strptr s
  139. do
  140.   select b[i]
  141.   case 0        : exit do 'END OF STRING
  142.  case 10,11,12 : i++ : exit do
  143.   case 13       : i++
  144.     if b[i]=10 then i++
  145.     exit do
  146.   case else : i++
  147.   end select
  148. end do
  149. end function
  150.  
  151.  
  152. macro posword(s,i)
  153. ==================
  154. byte b at strptr s
  155. '
  156. rwordpos:
  157. '
  158. skipspace s,i
  159. sttw=i
  160. select ascb 'FIRST CHAR
  161. case SymbolTerm
  162.   i++ : jmp fwd nwordpos 'normally brackets    (  )
  163. case 0
  164.   jmp fwd nwordpos 'END
  165. case SymbolQuote
  166.   do
  167.     i++
  168.     select b[i]
  169.     case 0    : jmp fwd nwordpos
  170.     case ascw : i++ : jmp fwd nwordpos
  171.     end select
  172.   end do
  173.   jmp fwd nwordpos
  174. case SymbolComment
  175.   endline(s,i) : jmp rwordpos      ' ;   comment ;
  176. case 255
  177.   i++ : opw=b[i] : i++ : jmp fwd nwordpos 'EMBEDDED TOKEN
  178. end select
  179. do 'MOVE TO WORD BOUNDARY
  180.  select b[i]
  181.   case 0 to 32
  182.     exit do
  183.   case SymbolTerm
  184.     exit do
  185.   case SymbolQuote
  186.     exit do
  187.   case SymbolComment
  188.     exit do
  189.   case 255
  190.     exit do ' embedded token marker
  191.  end select
  192.   i++
  193. end do
  194. nwordpos:
  195. lenw=i-sttw
  196. end macro
  197.  
  198.  
  199. function stepword(string s,sys*i) as sys
  200. ========================================
  201. posword(s,i)
  202. end function
  203.  
  204.  
  205. function getword(string s, sys*i) as string
  206. ===========================================
  207. posword(s,i)
  208. return mid s,sttw,lenw
  209. end function
  210.  
  211.  
  212. function maygetword(string s, sys*i) as string
  213. ==============================================
  214. skiplspace s,i
  215. if ascb>32 then return mid s,sttw,lenw
  216. end function
  217.  
  218.  
  219. function isnumber() as sys
  220. ==========================
  221. select ascb
  222. case 47
  223. case 45 to 57 :return -1
  224. end select
  225. end function
  226.  
  227.  
  228. function isalpha() as sys
  229. =========================
  230. select ascb
  231. case 0x41 to 0x5a : return -1
  232. case 0x61 to 0x7a : return -1
  233. case "_" : return -1
  234. end select
  235. end function
  236.  
  237.  
  238.  
  239. function stepitem(string sr, sys*i)
  240. ===================================
  241. string wr
  242. sys bc
  243. stepword(sr,i)
  244. if ascw<>40 then return 'skip the word only
  245. 'otherwiwise skip block including any nested blocks
  246. bc++
  247. do 'STEP OVER NESTED BRACKETS
  248.  stepword(sr,i)
  249.   select ascw
  250.   case 0 :
  251.     if ascb = 41 then
  252.       if bc <= 0 then exit do
  253.       bc--
  254.     else
  255.       exit do
  256.     end if
  257.   case 40 : bc++
  258.   case 41 : bc--
  259.   end select
  260.   if bc=0 then exit do
  261. end do
  262. end function
  263.  
  264.  
  265. function getitem(string sr, sys*i) as string
  266. ============================================
  267. sys b,c
  268. skipspace(sr,i)
  269. b=i
  270. c=ascw
  271. stepitem(sr,i)
  272. sttw=b
  273. ascw=c
  274. return mid sr, b, i-b
  275. end function
  276.  
  277.  
  278. function unquote(string s) as string
  279. ====================================
  280. ascw=asc s
  281. select ascw
  282. case SymbolQuote :
  283.   if asc(s,-1)=ascw then
  284.     ascw=asc s,2
  285.     return mid s, 2, len(s)-2
  286.   end if
  287. end select
  288. return s
  289. end function
  290.  
  291.  
  292. function inner(string s) as string
  293. ==================================
  294. sys i=1, le
  295. 'EFFECTIVE LEFT TRIM
  296. skipspace(s,i)
  297. 'EFFECTIVE RIGHT TRIM
  298. le=len(s)
  299. byte b at le+strptr s
  300. le=le-i+1
  301. do
  302.   if le<=0 then exit do
  303.   @b--
  304.   if b>32 then exit do
  305.   le--
  306. end do
  307. le-=2
  308. i++
  309. if le>0 then return mid s,i,le
  310. end function
  311.  
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 09, 2015, 02:54:41 AM
Hi Aurel,

I do not expect that OxygenBasic should be a clone of VB. Otherwise OxygenBasic would increase considerably in size and it would be not so fast. And if I understood it right, Oxygen is not intended to be a clone of any language but to use elements of Basic and C like languages, to support assembly and to be a companion tool for other languages in special cases. To achieve this purpose some compromises might be necessary. I myself am interested to learn and use the provided tools of Oxygen in a practical and logical way to get an intended result.

Out of curiosity I searched in Internet for some languages:

Freebasic: winbase.bi:
declare function GetCommandLine alias "GetCommandLineW" () as LPWSTR
declare function GetCommandLine alias "GetCommandLineA" () as LPSTR

Powerbasic: winbase.inc
DECLARE FUNCTION GetCommandLineA LIB "Kernel32.dll" ALIAS "GetCommandLineA" () AS DWORD

Rapidq: windows.inc
Declare Function GetCommandLine Lib "kernel32" Alias "GetCommandLineA" () As String

VBA (quote):
You also cannot directly use GetCommandLine in VBA declaration, something like
Declare Function GetCommandLine Lib "kernel32" Alias "GetCommandLineA" () As string
This simple code do not work, because GetCommandLine returns a pointer to string, which VBA cannot handle directly


I did not find more places with a declaration of GetCommandLine but what I found shows that at least a pointer to a null terminated string must be used. (Even with RapidQ and Visual Basic). I do not know in-depth the properties of the type string in OxygenBasic, but I think there is a reason for zstring, zstring2, asciiz, asciiz2 and char*. Maybe Charles will manage to adapt type string to be used for all purposes (which will certainly slow down the speed of compilation / execution), but it would not be fair to presume this as a "must be".

And I quote Charles:
Oxygen strings are not char*, but downwards compatible with them. You must not specify a return string in a declaration where char* is returned. The length field expected by strings will not be present.

For me it was a nice learning exercise to use:

   ! GetCommandLine alias "GetCommandLineA" lib "kernel32.dll" () as char*

   string cmdline = GetCommandLine
   int length=len(cmdline)

   print cmdline
   print length


Roland
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 09, 2015, 09:00:19 AM
VB6's internal string format is exclusively COM-compatible Unicode. All direct communication with other COM servers in the system should be exercised via the respective COM interfaces declared in the form of standalone or embedded type libraries, in which case VB6 guarantees that it wouldn't perform any intrinsic transformations of byte-by-byte data of its textual string representations and would thus preserve compatibility with the other COM components in the system.

Declaring functions with Declare ... Lib ... Alias ... As String in 3rd party modules bypassing type libraries makes VB6 regard such functions as accepting and/or returning ASCIIZ and/or WCHAR strings only (a.k.a. LPSTR and LPWSTR in C notation, respectively) and triggers its built-in mechanism of associated string permutations. For example, in a call to such a 3rd party function, LenB(SomeVB6String) would pass the number of bytes counting one byte to a character rather than two bytes to a character like when it passes that number to native VB6 code. There are a hellofalot of other string function permutations VB6 does intrinsically and absolutely transparently when working with non-VB6 modules (DLLs), and it never fails.

So, Aurel, your impression that a VB6 String data type is equal to ASCIIZ/LPSTR/char* is nothing but your honest mistake and it only emphasizes how perfect VB6 in fact is. :)

As I understand it, Charles has succeeded in re-implementing much of similar approach in OxygenBasic and many permutations are made transparently to the user under the hood, but there are still some cases where 100% automatic conversion based on code flow analysis is not yet implemented. Hence the necessity for char*, rather than String, returns from 3rd party modules.
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 09, 2015, 09:36:11 AM
Quote
So, Aurel, your impression that a VB6 String data type is equal to ASCIIZ/LPSTR/char* is nothing but your honest mistake and it only emphasizes how perfect VB6 in fact is. :)

Mike i understand very well and i know that is not the same
but from my experience with o2 i know that if you/me declare function in a VB style with given
type then in 90% of cases all things should work properly.
For example in same api declare with EBasic i can use type POINTER as result of this function
without problem.
Arnold use char in his subroutine because as local variable type string is terminated at
subroutine exit...right?
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 09, 2015, 10:00:34 AM
but from my experience with o2 i know that if you/me declare function in a VB style with given type then in 90% of cases all things should work properly.

This means that Charles has already succeeded to provide us with automatic string type conversion in about 90% cases. Yet 10 more per cent left to go. :)

Quote
Arnold use char in his subroutine because as local variable type string is terminated at subroutine exit...right?

I think any local variable regardless of its type (including class instances) should ideally cease to exist automatically on proc exit. The only chance for its value to persist is to be copied to some intrinsic temp var used as the actual proc return value specific to a particular language engine implementation, in this form get propagated to the proc caller code, and finally assigned (copied) there again to some variable that still lives in that caller code.

In practice, however, such a perfect self-garbage-collecting mechanism is extremely difficult to design due to the abundance of possible choices of var types involved. But VB6 is a vivid example that it is possible. FBSL cannot automatically garbage collect only temporary class instance vars; they must be destroyed explicitly before the proc where they've been spawned in exits. Everything else is garbage collected automatically. Say, FBSL is 99% as perfect at it as VB6. O2 is 90%, that is, near, perfect at it now, but I have absolutely no doubt Charles will succeed 100%. :)
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 09, 2015, 11:10:32 AM
Oxygen can infer the correct format for passing most string and other args, even without a formal prototype declaration, but there is no way to infer what the return type might be. Therefore the return must be correctly declared, or cast when making the call. Fortunately char* returns are rare in Windows, and most procedures return data into a char* buffer provided by the caller.

In this case A string, bstring, or char buffer will be correctly handled, o2 automatically passes the char pointer of the string.

Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 09, 2015, 11:58:11 AM
Oxygen can infer the correct format for passing most string and other args, even without a formal prototype declaration ...

FBSL has done away with prototyping altogether. In fact, prototyping is letting the language decide for you what it thinks should be done with the var name you type. All prototyped functions in strongly typed languages look alike to the coder: foo name followed by opening parenthesis followed by a list of var names passed as foo bars followed by trailing closing parenthesis. Whatever the function effectively does with the args it accepts and how it treats them remains a mystery to the coder and a source of innumerous bugs when the poor soul just sits staring blankly at their screen not having the tiniest clue as to what's really failing so badly. That's because noone really looks into the header files they include in their projects so abundantly, and they recall that there's such a thing as the Win32 SDK Programmer's Reference (or MSDN, for that matter) only when their creations fail to start or corrupt their system memory to a BSOD.

The maximum FBSL would require from you if you want to call an external DLL function would be its name if you're planning to use this function alone. If a dozen or more functions are expected, it is possible to declare the DLL's name alone and FBSL would map its entire function name space into your process space automatically. You can even call a memory pointer without declaring it as executable code, optionally passing parameters. Stack adjustments on return are made automatically so that you don't give a damn if you're calling a CDECL or STDCALL DLL routine.

All the rest is however your own responsibility: if the function expects a pointer, then you are supposed to prepend the respective argument's var name with a PointerOf operator or its @ shorthand cast equivalent explicitly. Same for the $, %, %%, !, !! casts (String, Integer/Long/Boolean, Quad, Single and Double values, respectively).

Declarations/prototyping does not spare the coder the need to debug their creations where they would consult the manuals anyway just to see what this or that function really expects anyway. So why shouldn't they do it from the very beginning and ultimately avoid, rather than fix up, any and all bugs in the end?
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 09, 2015, 01:26:46 PM
Very interesting, Mike.

Can you handle aliases for mangled names, and A / W calls?
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 09, 2015, 05:31:34 PM
Yes, of course, Charles.

Getting right through to a DLL's function name table via its PE header is a trivial problem solved in about four or five lines of C code (FBSL is written in MinGW/GCC). Resolving all possible associated relocations correctly given a function name would be a little trickier and bug prone, therefore I'm bluntly using GetProcAddress() on every function name in the list to get its entry point in the most fool-proof native MS way and then I'm simply demangling the names of possible underscores and at-endings and write them down into my own hash table of names and entry point addresses for FBSL's BASIC, DynC and DynAsm to use as if they were parts of language vocabulary proper. At this stage, all the functions found to be ending in capital A, i.e. ASCIIZ variants like SendMessageA, MessageBoxA, etc., are also aliased into the table without this trailing A, thus becoming SendMessage, MessageBox, etc., respectively. FBSL is a 32-bit ASCII-based language and it doesn't support Unicode directly, therefore its FooA() and Foo() calls are synonymic while SendMessageW, MessageBoxW and similar must be called explicitly. FBSL's BASIC provides buil-in AnsiToWide() and WideToAnsi() functions for conversion of strings between ASCII and Unicode.

Being primarily a GUI C-language program, FBSL has msvcrt.dll, kernel32.dll, user32.dll, and gdi32.dll already mapped into its process memory from the very start regardless of the script contents, therefore the function namespaces of these four DLLs are also mapped into FBSL's constituent language namespaces automatically at app start, providing the FBSL users with about 2,400 Win32 APIs as if they were parts of respective language vocabularies. I do not see any reason whatsoever to re-invent the wheel and bloat the language with commands and functions that are already provided by Win32 itself.

Mapping any other DLL into the process memory as needed is very simple: #DllImports OpenGL32, Glu32 et voila, the entire OpenGL (barring the extensions, of course) is at your feet, and its namespace, in your hands. :)
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 10, 2015, 09:58:28 AM
This is the remaining part of my little project. Attached are two screenshots to show which information could be retrieved. Of course this is only one possibility to do it and there is no intention from my side to exert influence on any implementation. I do not even know if the code would work with Rtl64.inc. But of course it would be nice to have some tools for using the commandline.

Roland

Edit: code deleted

.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 10, 2015, 10:33:40 AM
Hi Mike,

I just thought there was a message from you regarding pathnames / filenames with spaces.

I did not test this case. I did not even try to touch this situation. The problem is that gxo2.exe and co2.exe have a problem to run programs with spaces, so I used only paths / filenames without spaces. But you are right: this case should be considered too.

Roland
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 10, 2015, 11:45:47 AM
Therefore I made a copy with name "Split Commandline.exe". This results to "Commandline.exe" as arg3. So something is missing in the splitCommandLine procedure which can be fixed. On the other hand gxo2.exe "Split Commandline.o2bas" does not work neither. It is a kind of borderline situation.

Roland
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 10, 2015, 12:59:03 PM
In my simple editor RCode i use this two simple functions to get file name:
Code: [Select]
SUB GetFileName (src as string) as String

String fname,sign1,name
INT dotpos,bslashpos,nameLen
'print "ShowFName::TABCOUNT->:"+str(tabcount)
'C:\OxygenBasic\examples\GUI\SciEditor\WinControls.o2bas
src=Trim(src)
bslashpos = FieldCount(src,chr(92))
name = Mid(src,bslashpos+1,LEN(src))
dotpos = INSTR(name,".")
'print "DOTP:" + str(dotpos)
'nameLen = LEN(src)-(LEN(src)-dotpos)

name = Mid(name,1,dotpos-1)
'
'print "ShowName->:" + name

Return name
END SUB

Code: [Select]
SUB FieldCount(source As String,delimiter As String) as Int
Dim delpos,nexpos,count As Int
'delimiter=chr$(92)
count=1
delpos=1
nexpos=InStr(source,delimiter)
While nexpos
delpos=nexpos
nexpos=InStr(delpos+1,source,delimiter)
count++
Wend
RETURN delpos
END SUB 
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 10, 2015, 01:18:24 PM
Hi Roland,

Thanks for making me aware.

I saw that your code skips spaces just after 'must start with value higher than space and thinking you did handle the space-delimited pathname case, I deleted my message but now I guess I was too quick in doing so.

It often happens that developers coming to MS Windows from *nix system overlook this peculiarity while the most common path where the users are supposed to keep their applications here appears to be space-delimited on default. So, handling tokens enclosed in double quotes that delimit such pathnames on a command line seems to be reasonable even in the simplest command line parsers.

It is also quite conventional here to use the %MAX_PATH equate (= 1024) when allocating buffers for any parts of a fully qualified path or file name, just to be on the safe side.
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 10, 2015, 01:21:49 PM
Hi Aurel,

Your code can't handle space-delimited pathnames either. And you should also be aware that Windows accepts both backslashes and forward slashes in its pathnames.
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 10, 2015, 01:33:43 PM
Quote
And you should also be aware that Windows accepts both backslashes and forward slashes in its pathnames.

I can't thank Microsoft enough for seeing the light with this.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 10, 2015, 04:20:33 PM
Hi Mike,

you pointed me to a big mistake in my thinking. I must look for arguments enclosed in quotes or in spaces, not for chars > space. Nice idea and bad realization. But I am in the stage of experimenting.

I modified the procedure splitCommandLine, maybe it is correct now. And with spaces in the filename.exe should work now too.

Roland

Edit:

And I found another bug this morning when using args with unclosed quotes. Although this is only a learning exercise and I consider such behaviour as a user error the program should not freeze. I corrected this too. But it is a little bit frustrating. If I produce already so many errors in such a little piece of code, how will it be when I start to write some hundred or thousand lines?


Code: OxygenBasic
  1. $ filename "SplitCommandline.exe"
  2. includepath "$/inc/"
  3. '#include "RTL32.inc"
  4. '#include "RTL64.inc"
  5. include "Console.inc"
  6. '#include "MinWin.inc"
  7.  
  8. ! GetCommandLine alias "GetCommandLineA" lib "kernel32.dll" () as char*  
  9. ! GetCurrentDirectory alias "GetCurrentDirectoryA" lib "kernel32.dll" (dword nBufferLength, char* lpBuffer) as dword
  10. ! GetModuleFileName alias "GetModuleFileNameA" lib "kernel32.dll" (sys hModule, char* lpFilename, DWORD nSize) as dword
  11.  
  12.  
  13. function current_dir() as string      
  14.    zstring CurDir[1024]
  15.    GetCurrentDirectory( 1024, CurDir)
  16.    return CurDir
  17. end function
  18.  
  19. function exe_name() as string
  20.    zstring fname[1024]
  21.    GetModuleFileName(NULL, fname, 1024)
  22.    return fname
  23. end function
  24.  
  25. function exe_path() as string
  26.    string path=exe_name()
  27.    for x=len(path) to 1 step -1
  28.       if asc(path,x)=47 or asc(path,x)=92 then ' / or \
  29.         path=mid(path,1,x-1)
  30.          exit for
  31.       end if
  32.    next x
  33.    return path
  34. end function
  35.  
  36.  
  37. sub splitCommandLine(sys array, cnt, int limit)
  38.  
  39.    string args at array
  40.    int ix at cnt
  41.  
  42.    string cmdline = GetCommandLine
  43.    int length=len(cmdline)
  44.  
  45.    ix=0
  46.    if limit < 2 then
  47.       print "Error in splitCommandLine: limit < 2 "    
  48.       return
  49.    end if
  50.  
  51.    ' build array of args
  52.   p1=1: p2=p1
  53.  
  54.    do
  55.      'filename can be enclosed with ""
  56.     'arguments are separated with space
  57.     if asc(cmdline,p1) = 34 then  ' quote
  58.        'next match
  59.        p2=p1+1
  60.         do
  61.           if p2>length then exit do        
  62.           if asc(cmdline,p2) = 34 then
  63.              exit do
  64.           else
  65.              p2+=1
  66.           end if
  67.         end do                                
  68.      else  ' look for space
  69.        p2=p1+1
  70.         do
  71.           if p2>length then exit do
  72.           if asc(cmdline,p2) = 32 then
  73.              exit do
  74.           else
  75.              p2+=1
  76.           end if
  77.         end do
  78.      end if
  79.  
  80.      ix+=1            
  81.      args[ix]=mid(cmdline,p1,p2-p1+1)
  82.      if asc(cmdline,p1) = 34 then
  83.         'remove quote
  84.        le=len(args[ix])-1
  85.         args[ix]=mid(args[ix],2,le)
  86.      end if
  87.         if asc(cmdline,p2) = 34 then
  88.         'remove quote        
  89.        le=len(args[ix])-1
  90.         args[ix]=mid(args[ix],1,le)
  91.      end if
  92.  
  93.      if ix=1 then
  94.         args[1]=exe_name()
  95.         if mid(args[1],-8) != "gxo2.exe"  _
  96.              and mid(args[1],-7) != "co2.exe" then
  97.  
  98.            'add placeholder
  99.           args[2]=args[1]
  100.            ix+=1
  101.         end if
  102.      end if
  103.      
  104.      if ix=limit then exit do
  105.  
  106.      'next arg
  107.     p1=p2+1
  108.      do
  109.        if asc(cmdline,p1) = 32 then
  110.           p1+=1
  111.        else
  112.           exit do
  113.        end if
  114.      end do
  115.      if p1 > length then exit do    
  116.  
  117.    end do
  118. end sub
  119.  
  120.  
  121. ' Test
  122. '====='
  123.  
  124. dim as string params[16]=""
  125. int count
  126.  
  127. splitCommandLine(@params, @count, countof(params))
  128.  
  129. if count=2 then
  130.    cls
  131.    print "Usage: SplitCommandline arg1 arg2 arg3 ..." & cr
  132.    print "For Help use: SplitCommandLine -help" & cr      
  133. end if
  134.  
  135. if count=3 and params[3]="-help" then
  136.    cls
  137.    print "SplitCommandline is an approach to arrange arguments in the same order" & cr
  138.    print "no matter if run with gxo2.exe / co2.exe or as a stand-alone application" & cr          
  139. end if
  140.  
  141. if count=3 and params[3]!="-help" or count>3 then
  142.    cls
  143.    print "Commandline arguments:" & cr
  144.    for x=1 to count
  145.       print x ") "params[x] & cr
  146.    next x
  147.    print "count of arguments: " count & cr
  148.    print "name of executable: " exe_name() & cr
  149.    print "path of executable: " exe_path() & cr
  150.    print "current directory: "  current_dir() & cr
  151.    if params[1]=params[2] then
  152.       print params[2] " is an executable" & cr
  153.    else
  154.       print params[2] " is executed with " params[1] & cr
  155.    end if
  156. end if
  157.  
  158. print "Enter..." & cr
  159. waitkey()                
  160.  

.
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 11, 2015, 05:05:19 AM
Hi Roland,

Yes, now it seems to work correctly and I'm glad that my notes pointed you in the right direction.

Quote
... how will it be when I start to write some hundred or thousand lines?

Do not let such thoughts annoy you before the trouble actually comes. The Russians have a wise and popular maxim "Дорогу осилит идущий", which roughly translates to "Walk and ye shall come".

One method to make you feel less lost in the debris of your trials and failures is to split you scripts into a set of include files, each of which would deal with just one of the major tasks of your application at a time. This would keep you concentrated on a particular job at hand, and it would also keep your code well structured by application tasks and helper functions that you provide to resolve them. A multi-tabbed code editor can assist you in that greately.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 11, 2015, 08:16:11 AM
Hi Mike,

yes, this is true. If I do not try I will make no errors. And I will not enhance my knowledge.

I noticed that it could be useful to have a function to retrieve the application folder. This can be different from the current folder, if gxo2 with path set runs an oxygen.o2bas file in a different directory.

But now I should have all the tools to get the necessary information from a commandline to use in a small Oxygen project. Of course this is only one possibilty to do it. And probably not the most effective way.

Roland

Code: OxygenBasic
  1. $ filename "SplitCommandline.exe"
  2. includepath "$/inc/"
  3. '#include "RTL32.inc"
  4. '#include "RTL64.inc"
  5. include "Console.inc"
  6. '#include "MinWin.inc"
  7.  
  8. ! GetCommandLine alias "GetCommandLineA" lib "kernel32.dll" () as char*  
  9. ! GetCurrentDirectory alias "GetCurrentDirectoryA" lib "kernel32.dll" (dword nBufferLength, char* lpBuffer) as dword
  10. ! GetFullPathName alias "GetFullPathNameA" lib "kernel32.dll" (char* lpFileName, dword nBufferLength, char* lpBuffer, sys lpFilePart) as dword
  11. ! GetModuleFileName alias "GetModuleFileNameA" lib "kernel32.dll" (sys hModule, char* lpFilename, DWORD nSize) as dword
  12.          
  13.  
  14. function current_dir() as string      
  15.    zstring CurDir[1024]
  16.    GetCurrentDirectory( 1024, CurDir)
  17.    return CurDir
  18. end function
  19.  
  20. function exe_name() as string
  21.    zstring fname[1024]
  22.    GetModuleFileName(NULL, fname, 1024)
  23.    return fname
  24. end function
  25.  
  26. function exe_path() as string
  27.    string path=exe_name()
  28.    for x=len(path) to 1 step -1
  29.       if asc(path,x)=47 or asc(path,x)=92 then ' / or \
  30.         path=mid(path,1,x-1)
  31.          exit for
  32.       end if
  33.    next x
  34.    return path
  35. end function
  36.  
  37. function app_path(string name) as string
  38.    zstring path[1024]
  39.    sys fp
  40.    GetFullPathName(name, 1024, path, @fp)
  41.    for x=len(path) to 1 step -1
  42.       if asc(path,x)=47 or asc(path,x)=92 then ' / or \
  43.         path=mid(path,1,x-1)
  44.          exit for
  45.       end if
  46.    next x
  47.    if x=0 then
  48.       path=current_dir()
  49.    end if
  50.    return path
  51. end function
  52.  
  53.  
  54. sub splitCommandLine(sys array, cnt, int limit)
  55.  
  56.    string args at array
  57.    int ix at cnt
  58.  
  59.    string cmdline = GetCommandLine
  60.    int length=len(cmdline)
  61.  
  62.    ix=0
  63.    if limit < 2 then
  64.       print "Error in splitCommandLine: limit < 2 "    
  65.       return
  66.    end if
  67.  
  68.    ' build array of args
  69.   p1=1: p2=p1
  70.  
  71.    do
  72.      'filename can be enclosed with ""
  73.     'arguments are separated with space
  74.     if asc(cmdline,p1) = 34 then  ' quote
  75.        'next match
  76.        p2=p1+1
  77.         do
  78.           if p2>length then exit do        
  79.           if asc(cmdline,p2) = 34 then
  80.              exit do
  81.           else
  82.              p2+=1
  83.           end if
  84.         end do                                
  85.      else  
  86.         ' look for space
  87.        p2=p1+1
  88.         do
  89.           if p2>length then exit do
  90.           if asc(cmdline,p2) = 32 then
  91.              exit do
  92.           else
  93.              p2+=1
  94.           end if
  95.         end do
  96.      end if
  97.  
  98.      ix+=1            
  99.      args[ix]=mid(cmdline,p1,p2-p1+1)
  100.      if asc(cmdline,p1) = 34 then
  101.         'remove quote
  102.        le=len(args[ix])-1
  103.         args[ix]=mid(args[ix],2,le)
  104.      end if
  105.         if asc(cmdline,p2) = 34 then
  106.         'remove quote        
  107.        le=len(args[ix])-1
  108.         args[ix]=mid(args[ix],1,le)
  109.      end if
  110.  
  111.      if ix=1 then
  112.         args[1]=exe_name()
  113.         if mid(args[1],-8) != "gxo2.exe"  _
  114.              and mid(args[1],-7) != "co2.exe" then
  115.  
  116.            'add placeholder
  117.           args[2]=args[1]
  118.            ix+=1
  119.         end if
  120.      end if
  121.      
  122.      if ix=limit then exit do
  123.  
  124.      'next arg
  125.     p1=p2+1
  126.      do
  127.        if asc(cmdline,p1) = 32 then
  128.           p1+=1
  129.        else
  130.           exit do
  131.        end if
  132.      end do
  133.      if p1 > length then exit do    
  134.  
  135.    end do
  136. end sub
  137.  
  138.  
  139. ' Test
  140. '====='
  141.  
  142. dim as string params[16]=""
  143. int count
  144.  
  145. splitCommandLine(@params, @count, countof(params))
  146.  
  147. if count=2 then
  148.    cls
  149.    print "Usage: SplitCommandline arg1 arg2 arg3 ..." & cr
  150.    print "For Help use: SplitCommandLine -help" & cr      
  151. end if
  152.  
  153. if count=3 and params[3]="-help" then
  154.    cls
  155.    print "SplitCommandline is an approach to arrange arguments in the same order" & cr
  156.    print "no matter if run with gxo2.exe / co2.exe or as a stand-alone application" & cr          
  157. end if
  158.  
  159. if count=3 and params[3]!="-help" or count>3 then
  160.    cls
  161.    print "Commandline arguments:" & cr
  162.    for x=1 to count
  163.       print x ") "params[x] & cr
  164.    next x
  165.    print "count of arguments: " count & cr
  166.    print "name of executable: " exe_name() & cr
  167.    print "path of executable: " exe_path() & cr
  168.    print "path of application: " app_path(params[2]) & cr
  169.    print "current directory: "  current_dir() & cr & cr
  170.    if params[1]=params[2] then
  171.       print params[2] " is an executable" & cr
  172.    else
  173.       print params[2] " is executed with " params[1] & cr
  174.    end if
  175. end if
  176.  
  177. print "Enter..." & cr
  178. waitkey()                
  179.  

.
Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 11, 2015, 08:34:43 AM
Quote
I noticed that it could be useful to have a function to retrieve the application folder. This can be different from the current folder ...

Exactly! Very often the GetOpenFileName/GetSaveFileName APIs that spawn the respective common dialogs can also change the current directory setting transparently to the user. Under such circumstances, it seems only reasonable to have some reference that you can always use to immediately return to your "point of origin" or reconstruct on the fly the other pathnames that may have been possibly specified relative to your binary. This is exactly what the built-in APPEXEPATH constant is for in FBSL. Its actual value is set automatically at app start.
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 11, 2015, 09:50:55 AM
One should embrace their environment (variables) or create their own before starting their journey.
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 11, 2015, 11:55:29 AM
Hi Roland and Mike,

I've been following your work closely, and thus prompted to make a few additions to OxygenBasic.

I've updated gxo2, co2 and oxide to support spaces in both file-paths and file-names, and to add .o2bas as the default exension

examples:
co2 t.o2bas
co2 t
co2 ..\t
co2 "t t"
co2 "..\t t"


Oxygen has also been tweaked to prevent jit execution of code that has been compiled to a PE file. This is to prevent recursion hazards such as compiling compilers  :o

There is a new include file inc\sysutil.inc, which provides parsing services, and a few additional functions, such as extracting command args, and filepaths.

inc\sysutil.inc
Code: OxygenBasic
  1.  
  2.  'Charles Pegge
  3. '12:49 11/06/2015
  4.  
  5.   include once "minwin.inc"
  6.   include      "ParseUtil.inc"
  7.  
  8.   extern lib "$\oxygen.dll"
  9.   ! o2_mode  (long m)
  10.   ! o2_abst  (string s) as string
  11.   ! o2_asmo  (string s) as string
  12.   ! o2_basic (string s) as sys
  13.   ! o2_exec  (sys p)    as sys
  14.   ! o2_buf   (sys n)    as sys
  15.   ! o2_errno ()         as sys
  16.   ! o2_error ()         as string
  17.   ! o2_get   ()         as string
  18.   ! o2_len   ()         as sys
  19.   ! o2_prep  (string s) as string
  20.   ! o2_put   (string s)
  21.   ! o2_view  (string s) as string
  22.   end extern
  23.  
  24.  
  25.   function DOS(string s)
  26.   ======================
  27.   string c
  28.   static STARTUPINFO         infs
  29.   static PROCESS_INFORMATION infp
  30.   if s then c="cmd.exe /c " else c="cmd.exe "
  31.   CreateProcess null,c+s,0,0,0,0,0,0,@infs,@infp
  32.   WaitForMultipleObjects 1,@infp.hthread,1,-1
  33.   CloseHandle infp.hProcess
  34.   CloseHandle infp.hThread
  35.   end function
  36.  
  37.  
  38.   function CommandLineArgs() as string
  39.   ====================================
  40.   string s,command
  41.   sys i=1
  42.   Command = (char) GetCommandLine
  43.   s=GetWord command,i 'step over filepath\file
  44.  SkipSpace command,i
  45.   return mid Command, i
  46.   end function
  47.  
  48.  
  49.   function ParseFileName(string src, sys *ii, string *mnm, *xnm) as string
  50.   ========================================================================
  51.   sys    i=1, dt
  52.   string s
  53.   s=unquote getword src,ii
  54.   skipspace(src,ii)
  55.   do
  56.     i++
  57.     select asc s,i
  58.     case 46        : dt=i 'position of latest dot
  59.    case 47,92     : dt=0 'exclude .\ ..\
  60.    case 0         : exit do
  61.     end select
  62.   end do
  63.   '
  64.  if dt then
  65.     mnm=left s,dt-1
  66.     xnm=mid s,dt
  67.   else
  68.     mnm=left(s,i-1)
  69.   end if
  70.   return mnm+xnm
  71.   end sub
  72.  
  73.  
  74.   function ExeDir() as string
  75.   ===========================
  76.   char s[256]
  77.   byte b at strptr s
  78.   GetModuleFileName 0,s,256
  79.   sys i
  80.   do
  81.     select b
  82.     case 0  : exit do
  83.     case 92 : i=@b
  84.     end select
  85.     @b++
  86.   end do
  87.   return left s,i-strptr s
  88.   end function
  89.  
  90.  
  91.   function CurDir() as string
  92.   ===========================
  93.   char s[256]
  94.   GetCurrentDirectory 256, s
  95.   return s
  96.   end function
  97.  
  98.   macro CreateArgv
  99.   ================
  100.   sys    argv[64], argc
  101.   string arga[64]
  102.   string args=GetCommandLine
  103.   scope
  104.     indexbase 0
  105.     sys i=1
  106.     do
  107.       arga[argc]=unquote getword args,i
  108.       if not arga[argc] then exit do
  109.       argv[argc]=strptr arga[argc]
  110.       argc++
  111.     end do
  112.   end scope
  113.   end macro
  114.  
  115.  
  116.   string prs
  117.   string cr  = chr(13,10)
  118.  
  119.   sub pri(string s)
  120.   =================
  121.   prs+=s+cr
  122.   end sub
  123.  


This substantially cleans up the source code for co2.exe
Code: OxygenBasic
  1.  
  2.  'Compiler for OxygenBasic
  3. '========================
  4.  
  5.  'Charles Pegge
  6. '12:53 11/06/2015
  7.  
  8.   #compact
  9.   #file       "co2.exe" 'Oxygen dependent compiling
  10.  %NoConsole
  11.   includepath "$\inc\"
  12.   include     "SysUtil.inc"
  13.   include     "console.inc"
  14.  
  15.   sys    a,i
  16.   string s,t,u
  17.   sys    swa,swc,swm       'COMPILER SWITCHES
  18.  string fname,mname,xname 'FILE NAME COMPONENTS
  19.  string er                'ERROR MESSAGES
  20.  '
  21.  s=lcase CommandLineArgs()
  22.   if not s then goto nofile
  23.   '
  24.  'SWITCHES
  25.  '========
  26.  i=0
  27.   do
  28.     i++ : skiplspace s,i
  29.     if ascb<>45 then exit do
  30.     i++ : skiplspace s,i
  31.     select ascb
  32.     case "i" : swa=ascb '-i intermediate output
  33.    case "a" : swa=ascb '-a asm output
  34.    case "b" : swa=ascb '-b o2 output
  35.    case "c" : swc=ascb '-c compile
  36.    case "m" : swm=ascb '-m do not show messagebox
  37.    end select
  38.   end do
  39.   '
  40.  s=mid s,i
  41.   '
  42.  nofile: 'check
  43.  '=============
  44.  '
  45.  if not s then
  46.   pri "
  47.   compiler options:
  48.   <filename>       compile and execute directly in memory
  49.   -a <filename>    list assembly code
  50.   -b <filename>    list o2 machine script
  51.   -c <filename>    compile to an executable file
  52.   -i <filename>    list intermediate code
  53.   -m               output to console
  54.   "
  55.   jmp fwd done
  56.   end if
  57.  
  58.   i=1 : xname=".o2bas" 'DEFAULT EXTENSION NAME
  59.  fname=ParseFileName(s,i,mname,xname)
  60.   '
  61.  '
  62.  'ATTEMPT TO GET FILE
  63.  '===================
  64.  '
  65.  t=getfile fname
  66.   if not t then
  67.     pri "error 3: file empty or not found: "+fname
  68.     jmp fwd done
  69.   end if
  70.   '
  71.  u="#basic"+cr
  72.   '
  73.  if swc then
  74.     u+="#file "+qu+mname+".exe"+qu+cr
  75.   end if
  76.   '
  77.  t=u+chr(12)+t
  78.   '
  79.  '
  80.  'NORMAL COMPILE
  81.  '==============
  82.  
  83.  'o2_mode 0  'read/return null terminated ascii strings
  84.  o2_mode 9   'ascii string (1: byte characters) (8: o2 string)
  85.  '
  86.  select swa
  87.   case "a"  : prs = o2_prep  t
  88.   case "i"  : prs = o2_abst  t
  89.   case "b"  : prs = o2_view  t
  90.   case else :       o2_basic t
  91.   end select
  92.   '
  93.  er=o2_error
  94.   '
  95.  if er then
  96.     pri cr+ er
  97.     jmp fwd done
  98.   else
  99.     if swc=0 then
  100.       o2_exec 0
  101.     else
  102.       pri cr+"Okay"
  103.     end if
  104.   end if
  105.  
  106.   done:
  107.  
  108.   sys ho,lew
  109.   if len(prs) then
  110.     if swm=0 then
  111.       mbox prs
  112.     else
  113.       ho=GetStdHandle( STD_OUTPUT_HANDLE ) 'do this before AttachConsole
  114.      AttachConsole(-1) 'attach to console of parent process
  115.      WriteFile( ho, strptr prs, len(prs)+1, lew, null ) 'accepts redirected STDOUT
  116.      FreeConsole
  117.     end if
  118.   end if
  119.  




Oxygen DLL Update (200k)
http://www.oxygenbasic.org/o2zips/Oxygen.zip

OxyMin Update (800k)
http://www.oxygenbasic.org/o2zips/OxyMin.zip

OxygenBasic Full Update (4700k)
http://www.oxygenbasic.org/o2zips/OxygenBasic.zip

Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 11, 2015, 01:27:04 PM
Hi Charles,

Quote
I've been following your work closely ...

Thank you; I think it was what both Roland and I were secretly hoping for...

Quote
... and thus prompted to make a few additions to OxygenBasic. I've updated gxo2, co2 and oxide to support spaces in both file-paths and file-names ...

Excellentissimo! I always can't help admiring how laconic, exact and elegant your OxygenBasic code is. :)
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 12, 2015, 03:35:19 AM
Hi Charles,

it is good to know that Oxygen is now able to compile path\filename with spaces in it. I omit using spaces. I could save and run OxygenBasic in folder "program files" but I would always need  administrator privileges. Nevertheless sometimes it could be necessary to use these namings.

There was a small problem with using co2.exe because it contains a path "c:\cevp\..." . But after compiling co2.o2bas with gxo2.exe and then compiling co2.o2bas with the new co2.exe everything works ok. I also did a full Compile and Run test with gxo2.exe (without the tests folder). Everything seems to work like before. There were some messages (e.g. in examples\OpenGL\glMathTest) but I think this is because of changing to a newer version of OpenGL?

Roland

Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 12, 2015, 07:31:19 PM
Mike,

One of my original intentions in creating OxygenBasic was to facilitate clearer code by reducing syntax 'noise' - making the compiler work a bit harder behind the scenes. Organizing compact, useful libraries takes a little longer, but I think we are making progress.

I am intrigued that FBSL reads all the core Windows calls from Kernel32.dll etc. How long does this take? Presumably faster than reading a full set of API declarations.

Thanks for testing, Roland.

Some of the pieces in examples/Opengl/glmath use GLSL 3.3 and geometry shaders, which may not work on older graphics cards. (mine is 2009 nvidia).

Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 13, 2015, 03:43:54 AM
Hi Charles,

maybe you will not notice this within your development system, so I would like to mention this:

if I run co2.exe I get the message:  c:\cevp\code\oxygenbasic\oxygen.dll
Using my Textcrawler program I find this path included in co2.exe. I do not find it anywhere else in the files of the Oxygenbasic folder. Anyway if I compile co2.o2bas with gxo2.exe and make a copy in Oxygenbasic and then compile co2.o2bas again with co2.exe everything works ok.

I am trying to rebuild my little project with sysutil.inc. It seems that I use CreateArgV the wrong way. Do I need some parameters with CreateArgV?

Roland

Code: OxygenBasic
  1. $ filename "TestArg Prog.exe"
  2. includepath "$/inc/"
  3. '#include "RTL32.inc"
  4. '#include "RTL64.inc"
  5.  
  6. include "sysutil.inc"
  7. include "console.inc"
  8.  
  9. string fname,mname,xname 'FILE NAME COMPONENTS
  10.  
  11. print "This will only work with version A41 12/06/2015 and later" & cr
  12.  
  13. string cmd_args=lcase CommandLineArgs() : printl "Commandline Args: " cmd_args
  14.  
  15. i=1 : xname=".o2bas" 'DEFAULT EXTENSION NAME
  16. fname=ParseFileName(cmd_args,i,mname,xname) : printl "Filename: " fname
  17.  
  18. string exe_path = ExeDir(): printl "ExeDir = " exe_path
  19. string current_dir = CurDir(): printl "Current directory = " current_dir
  20.  
  21. waitkey()
  22.  
  23. CreateArgV
  24.  
  25.  
  26. printl"Enter ... ": waitkey()
  27.  
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 13, 2015, 03:58:15 AM
Hi Roland,

Yes, I see the problem now. The file path to Oxygen.dll got baked at compiletime.

inc\sysutil.inc

  extern lib "$\oxygen.dll"

  extern lib "oxygen.dll"

Also fixed looping problem in CreateArgv.

'Argc is the count
'Arga[ ] is an array of arguments as strings
'Argv[ ] as a block of string pointers
CreateArgv
for i=1 to argc
printl arga[ i ] 'strings
next
waitkey


Sysutil.inc
Code: OxygenBasic
  1.  
  2.  'Charles Pegge
  3. '12:57 13/06/2015
  4.  
  5.   include once "minwin.inc"
  6.   include      "ParseUtil.inc"
  7.  
  8.   extern lib "oxygen.dll"
  9.   ! o2_abst      (string s) as string
  10.   ! o2_asmo      (string s) as sys
  11.   ! o2_assemble  (string s) as sys
  12.   ! o2_basic     (string s) as sys
  13.   ! o2_exec      (sys p)    as sys
  14.   ! o2_buf       (sys n)    as sys
  15.   ! o2_errno     ()         as sys
  16.   ! o2_error     ()         as string
  17.   ! o2_get       ()         as string
  18.   ! o2_len       ()         as sys
  19.   ! o2_link      ()         as sys
  20.   ! o2_mode      (sys m)
  21.   ! o2_pathcall  (sys m)
  22.   ! o2_prep      (string s) as string
  23.   ! o2_put       (string s)
  24.   ! o2_varcall   (sys m)
  25.   ! o2_view      (string s) as string
  26.   end extern
  27.  
  28.  
  29.   function Exec(string c, sys wait=0)
  30.   ===================================
  31.   STARTUPINFO infs
  32.   PROCESS_INFORMATION infp
  33.   CreateProcess null,c,0,0,0,0,0,0,@infs,@infp
  34.   if wait
  35.     WaitForMultipleObjects 1,@infp.hthread,1,-1
  36.   end if
  37.   CloseHandle infp.hProcess
  38.   CloseHandle infp.hThread
  39.   end function
  40.  
  41.  
  42.   function DOS(string s, sys wait=0)
  43.   ==================================
  44.   string c
  45.   if s then
  46.     c="cmd.exe /c "+s
  47.   else
  48.     c="cmd.exe"
  49.   end if
  50.   Exec c, wait
  51.   end function
  52.  
  53.  
  54.   function CommandLineArgs() as string
  55.   ====================================
  56.   string s,command
  57.   sys i=1
  58.   Command = (char) GetCommandLine
  59.   s=GetWord command,i 'step over command filepath\file
  60.  SkipSpace command,i
  61.   return mid Command, i
  62.   end function
  63.  
  64.  
  65.   function ParseFileName(string src, sys *ii, string *mnm, *xnm) as string
  66.   ========================================================================
  67.   sys    i=1, dt
  68.   string s
  69.   s=unquote getword src,ii
  70.   skipspace(src,ii)
  71.   do
  72.     i++
  73.     select asc s,i
  74.     case 46        : dt=i 'position of latest dot
  75.    case 47,92     : dt=0 'exclude .\ ..\
  76.    case 0         : exit do
  77.     end select
  78.   end do
  79.   '
  80.  if dt then
  81.     mnm=left s,dt-1
  82.     xnm=mid s,dt
  83.   else
  84.     mnm=left(s,i-1)
  85.   end if
  86.   return mnm+xnm
  87.   end sub
  88.  
  89.  
  90.   function ExeDir() as string
  91.   ===========================
  92.   char s[256]
  93.   byte b at strptr s
  94.   GetModuleFileName 0,s,256
  95.   sys i
  96.   do
  97.     select b
  98.     case 0  : exit do
  99.     case 92 : i=@b
  100.     end select
  101.     @b++
  102.   end do
  103.   return left s,i-strptr s
  104.   end function
  105.  
  106.  
  107.   function CurDir() as string
  108.   ===========================
  109.   char s[256]
  110.   GetCurrentDirectory 256, s
  111.   return s
  112.   end function
  113.  
  114.   macro CreateArgv
  115.   ================
  116.   sys    argv[64], argc
  117.   string arga[64]
  118.   string args=GetCommandLine
  119.   scope
  120.     indexbase 0
  121.     sys i=1
  122.     do
  123.       arga[argc]=unquote getword args,i
  124.       if ascb=0 then exit do
  125.       argv[argc]=strptr arga[argc]
  126.       argc++
  127.     end do
  128.   end scope
  129.   end macro
  130.  
  131.  
  132.   string prs
  133.   string cr  = chr(13,10)
  134.  
  135.   sub pri(string s)
  136.   =================
  137.   prs+=s+cr
  138.   end sub
  139.  



Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 13, 2015, 11:27:31 AM
Hi Charles,

I swear in all honesty that everything I'm telling you is true to the last word.

The FBSL binaries currently carry about 50KB of tightly zipped data (mainly keyword and message tables, and a few auxiliary hash tables such as are usually used for cyclic redundancy checks, password creation and script obfuscation) that are the first to get decompressed and mapped into the process memory once the process starts. Then FBSL's built-in constants are created and the internal functions that are supposed to execute FBSL's high-level BASIC bytecode are mapped into the respective hash tables. All in all, it takes up to 20 milliseconds to launch FBSL proper including the time it takes the OS to connect all the relevant system libraries to the FBSL process.

It takes another 30 to 60 milliseconds to parse, precompile to bytecode and/or JIT machine code, and launch a medium sized BASIC+DynC+DynAsm scripted project of about 10 to 15 thousand code lines (that's my favorite size :) ) for execution. Anything less than a thousand code lines can hardly be benchmarked. It may take yet a couple milliseconds more to decompress and deobfuscate the same script if it is embedded in a precompiled executable in the form of an LZMA-compressed payload. Decompression/deobfuscation runs at about 15MB of scripted code per second. Then, code parsing and precompilation proper begins.

First, the four DLLs I told you about are scanned for the constituent API names and entry points, and an approx. 200KB large Windows.inc file for the BASIC preprocessor is scanned (that's roughly a WINDOWS_LEAN_AND_MEAN equivalent), and the respective hash tables are created.

Next, the BASIC compiler starts its work. It's a three-pass compiler with a multiply reentrant recursive descent parser. The first pass is used to tokenize the entire script including BASIC, C, and asm vocabulary. The second pass creates the actual binary bytecode tree and resolves cross-references between BASIC, C, asm, and external procedures. That's the heaviest pass of all the three, and it takes GCC almost a minute to compile that file alone on my 3.2GHz PC. The third pass is used for some simple optimization of BASIC bytecode like macro expansion and constant propagation.

At pass 2 of BASIC bytecode compiler, Dynamic C and Dynamic Asm jitters also compile their respective code blocks from the tokens prepared by the BASIC compiler during its pass 1. The Dynamic C JIT compiler is a deeply nested one-pass recursive descent compiler based on Fabrice Bellard's Tiny C Compiler v0.9.25. Its compilation speed on my PC is on the order of 50MB of raw C code per second; it's simply lightning fast. The Dynamic Asm compiler is my own "1.5-pass" recursive descent compiler that does only one level deep recursion when resolving a label, and runs only one pass unless assembly contains forward references, in which case it runs a brief additional half-pass to fill in the blanks with i) actual addresses of forward references it didn't know how to resolve on its first pass, and ii) 1-clock variable-length NOP padding dummies like mov eax, eax etc. where necessary. I've worked out a habit of avoiding forward references in my asm code altogether to make the compiler do everything in one pass, if possible, and to also make my asm code run a few clocks faster avoiding NOPs associated with forward references. :) The DynAsm jitter works at about 10MB of asm code per second if not monitored via the Asm Logger window that's available in a special build of Fbsl.exe binary, in which case the speed would drop to some 4 or 5K lines of asm code per second.

I have never seen any script that would take FBSL more than 80 milliseconds to start executing. Actually, the OpenGL render context initialization routine alone written in FBSL BASIC in my current Objector project takes two or three times longer to execute than it takes FBSL to parse, compile, and start to execute this entire project with its main script plus 19 include files of BASIC, C, and assembly code. :)
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 13, 2015, 11:45:41 AM
I'm confused. I thought FBSL (Freestyle BASIC Scripting Language) was an interpreter. Based on the above description, it's a high performance BASIC compiler.




Title: Re: Different approach for Commandline arguments
Post by: Mike Lobanovsky on June 13, 2015, 12:17:59 PM
Hi John,

Bytecode compilation and execution is a form of interpretation. Direct interpretation is line-by-line parsing and execution based on in-place evaluation; this is how Eros says his thinBasic works. Bytecode requires precompilation of ultimately all tokens in the script into a binary tree of intermediate code that makes your "virtual machine" jump from one place to another following the already hard-wired program logic and execute utility routines that correspond to this or that high-level command. (please see Ed Davis' toy interpreter I ported to O2; it's a full-blown bytecode compilation and interpretation system)

Even though it's faster than direct interpretation, it's interpretation nonetheless and it is also slow as compared to low-level true machine code that a jitter generates. A bytecode compiler/interpreter would execute an entire subroutine to just add 1 and 1 together while machine code would execute just one CPU instruction, inc eax.

FBSL's bytecoded BASIC is the bottleneck of the entire system. There are even a couple cases when it falls back to direct interpretation when executing For, Do While/Until, and While commands (but not the code within the loops per se, which is bytecoded!). It will all be hopefully substituted with yet another JIT compiler -- BASIC jitter -- in FBSL v4. I mean, hopefully.
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 13, 2015, 01:20:35 PM
Sounds a bit like SB but more fine tuned for performance.
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 14, 2015, 07:02:29 AM
Hi Charles,

I have finished rebuilding my little project. Using sysutil.inc saved about 50% of code to get the same results. Probably it could be done better, but I am pleased that I came so far.

SysUtil.inc, ParseUtil.inc and MinWin.inc provide many useful functions. It will be interesting to see them work in collaboration.

Roland

Code: OxygenBasic
  1. $ filename "TestArgs.exe"
  2. includepath "$/inc/"
  3. '#include "RTL32.inc"
  4. '#include "RTL64.inc"
  5.  
  6. include "sysutil.inc"
  7. include "console.inc"
  8.  
  9.  
  10. function exe_name() as string
  11.    zstring fname[512]
  12.    GetModuleFileName(NULL, fname, 512)
  13.    return fname
  14. end function
  15.  
  16. function app_path(string name) as string
  17.    zstring path[512]
  18.    sys fp
  19.    GetFullPathName(name, 512, path, @fp)
  20.    for x=len(path) to 1 step -1
  21.       if asc(path,x)=47 or asc(path,x)=92 then ' / or \
  22.         path=mid(path,1,x-1)
  23.          exit for
  24.       end if
  25.    next x
  26.    if x=0 then
  27.       path=CurDir()
  28.    end if
  29.    return path
  30. end function
  31.  
  32.  
  33. sub splitCommandLine(sys array, cnt, int limit)
  34.    
  35.    string arg at array
  36.    int ix at cnt
  37.    int idx
  38.    
  39.    ix=0 : idx=0
  40.    
  41.    if limit < 2 then
  42.       print "Error in splitCommandLine: limit < 2 "    
  43.       return
  44.    end if
  45.    
  46.    CreateArgV  ' arga=strings, argc=count, argv=block of string pointers
  47.   if argc<=limit then limit=argc
  48.    
  49.    ' build array of arg    
  50.   do
  51.      ix+=1: idx+=1    
  52.      arg[ix]=arga[idx]
  53.  
  54.      if ix=1 then
  55.         if mid(arg[1],-8) != "gxo2.exe"  _
  56.              and mid(arg[1],-7) != "co2.exe" _
  57.              and mid(arg[1],-4) != "gxo2" _
  58.              and mid(arg[1],-3) != "co2"  then
  59.  
  60.            'add placeholder
  61.           arg[2]=arg[1]
  62.            ix+=1
  63.         end if
  64.      end if
  65.      
  66.      if idx=limit then exit do    
  67.      
  68.    end do
  69.    
  70.    cnt=idx
  71.    
  72. end sub
  73.  
  74.  
  75. ' Test
  76. '====='
  77.  
  78. dim as string params[16]=""
  79. int count
  80.  
  81.    splitCommandLine(@params, @count, countof(params))
  82.  
  83.    print "This will only work with version A41 12/06/2015 and later" & cr & cr
  84.    print "Application's parameters:" & cr
  85.   for x=1 to count
  86.       print x ") "params[x] & cr
  87.    next x
  88.    print "count of parameters: " count & cr & cr
  89.    print "name of executable: " exe_name() & cr
  90.    print "path of executable: " ExeDir() & cr
  91.    print "path of application: " app_path(params[2]) & cr
  92.    print "current directory: "  CurDir() & cr & cr
  93.    if params[1]=params[2] then
  94.       print params[2] " is an executable" & cr
  95.    else
  96.       print params[2] " is executed with " exe_name() & cr
  97.    end if
  98.  
  99. print "Enter..." & cr
  100. waitkey()
  101.  

.
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 14, 2015, 05:43:17 PM
Hi Roland,

Here is yet another approach, which is very economical, using only one dynamic string to hold the data block, and there are no parser dependencies :)

I will include it in SysUtil as a generic macro.

NB: When passing C-style argc,argv data, use byval.
f(argc, byval @argv)

Code: OxygenBasic
  1.   macro CreateArgBlock(argf,argn,args,argc,argv)
  2.   ==============================================
  3.   string args=argf  'buffer containing args
  4.  'literal argn max number of args    
  5.  sys    argv[argn]          'arg pointer table
  6.  sys    argc                'arg count
  7.  scope
  8.     indexbase 1
  9.     sys  na=1                'new arg flag
  10.    byte   b at strptr args  'source bytes
  11.    sys    i
  12.     while i<argn
  13.       select b
  14.       case 0       : exit while
  15.       case 1 to 32       : na=1 : b=0 'nullify spaces
  16.      case 34,39,44      : na=1 : b=0 'nullify quotes and commas
  17.      case else          : if na then argc++ : argv[argc]=@b : na=0 : i++
  18.       end select
  19.       @b++
  20.     wend
  21.   end scope
  22.   end macro
  23.   /*
  24.   'TEST
  25.  '====
  26.  '
  27.  CreateArgBlock "one, two, three four five",16,args,argc,argv
  28.   '
  29.  function f(sys argc,*argv) as sys
  30.   sys i
  31.   for i=1 to argc
  32.     char c at argv[i]
  33.     print i tab c cr
  34.   next
  35.   end function
  36.   '
  37.  f(argc,byval @argv)
  38.   */
  39.  
Title: Re: Different approach for Commandline arguments
Post by: Arnold on June 15, 2015, 05:57:22 AM
Hi Charles,

my only real experience with Basic was GW-Basic some long time ago. So hopefully you will forgive me this question. Searching for byval and for byref I learned this: byval makes a copy of a variable, byref assigns an address of a variable. Is this true with Oxygenbasic too? Is this the same:

function func(int var1, double @var2) as int
function func(byval var1 as int, byref var2 as double) as int

Could I change var2 inside the function which would be visible outside of the function? I thought this would be possible only with subs. And is this the reason why you use: byval @argv ?


Roland
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 15, 2015, 06:50:19 AM
Hi Roland,

byval / byref are used in basic-style prototypes but when byval is used before a call argument, it overrides the  prototype argument type, so you can pass any value directly. It often saves a lot of trouble :)

For instance, null is equivalent to byval 0
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 15, 2015, 09:29:56 AM
Quote
For instance, null is equivalent to byval 0

What is a NOT null?


Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 15, 2015, 10:51:23 AM
Hi John,

not null will not compute but any sys integer value may be passed byval.
Title: Re: Different approach for Commandline arguments
Post by: Aurel on June 15, 2015, 02:04:22 PM
HI Charles
looks like your macro
macro CreateArgBlock(argf,argn,args,argc,argv)
can be a good candidate for creating function in interpreter ?
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 15, 2015, 06:01:28 PM
Quote
not null will not compute

SB has ISDEF and ISUNDEF to deal with its null (uninitialized) variables.
Title: Re: Different approach for Commandline arguments
Post by: Charles Pegge on June 16, 2015, 12:15:29 AM
Aurel,

It has possibilities. Any application requiring read-only blocks of strings. So something similar could be used to pre-parse a script.

John,

#ifdef and #ifndef are available to test the existence of variables etc at compile time, though this is a different concept to null and byval n.

Prototypes may also specify optional arguments and arguments with default values:

function f( string s="abc", sys v=42)
 
Title: Re: Different approach for Commandline arguments
Post by: JRS on June 16, 2015, 12:26:08 AM
Quote
Prototypes may also specify optional arguments and arguments with default values:

The default value feature is nice. With SB, I have to first test to see if the passed argument is undef then assign it a default value before proceeding.