B4xbasiclanguagev2 2
B4xbasiclanguagev2 2
To search for a given word or sentence use the Search function in the Edit menu.
B4X Booklets:
B4X Getting Started
B4X Basic Language
B4X IDE Integrated Development Environment
B4X Visual Designer
B4X Help tools
You can consult these booklets online in this link [B4X] Documentation Booklets.
Be aware that external links don’t work in the online display.
1 B4X platforms 8 B4X Basic language
1 B4X platforms
B4X is a suite of BASIC programming languages for different platforms.
• B4A Android
B4A is a 100% free development tool for Android applications, it includes all the features
needed to quickly develop any type of Android app.
• B4i iOS
B4J is a 100% free development tool for desktop, server and IoT solutions.
With B4J you can easily create desktop applications (UI), console programs (non-UI) and
server solutions.
The compiled apps can run on Windows, Mac, Linux and ARM boards (such as Raspberry
Pi).
B4R is a 100% free development tool for native Arduino and ESP8266 programs.
B4R follows the same concepts of the other B4X tools, providing a simple and powerful
development tool.
B4R, B4A, B4J and B4i together make the best development solution for the Internet of
Things (IoT).
• B4XPages
B4XPages is an internal library for B4A, B4i and B4J allowing to develop easily cross-
platform programs.
B4XPages is explained in detail in the B4XPages Cross-platform projects booklet.
Even, if you want to develop only in one platform it is interesting to use the B4XPages
library it makes the program flow simpler especially for B4A.
2 BASIC 8 B4X Basic language
2 BASIC
BASIC (an acronym for Beginner's All-purpose Symbolic Instruction Code) is a family of general-
purpose, high-level programming languages whose design philosophy emphasizes ease of use. In
1964, John G. Kemeny and Thomas E. Kurtz designed the original BASIC language at Dartmouth
College in the U.S. state of New Hampshire. They wanted to enable students in fields other than
science and mathematics to use computers. At the time, nearly all use of computers required writing
custom software, which was something only scientists and mathematicians tended to learn (source
Wikipedia).
3 Variables and objects 10 B4X Basic language
B4R
Byte 0 - 255
Int (2 bytes) -32768 - 32768. Similar to Short type in other B4X tools.
UInt (2 bytes) 0 - 65535. B4R specific.
Long (4 bytes) -2,147,483,648 - 2,147,483,647. Similar to Int type in other B4X tools.
ULong (4 bytes) 0 - 4,294,967,295 B4R specific.
Double (4 bytes) 4 bytes floating point. Similar to Float in other B4X tools.
Float is the same as Double. Short is the same as Int.
Other types:
Boolean True or False. Practically it is saved as a byte with the value of 1 or 0.
String Strings are made from an array of bytes that end with a null byte (byte with the value of 0).
Object Objects can hold other types of values.
3.1 Variable types 12 B4X Basic language
Primitive types are always passed by value to other subs or when assigned to other variables.
For example:
Sub S1
Private A As Int
A = 12 The variable A = 12
S2(A) It's passed by value to routine S2
Log(A) ' Prints 12 Variable A still equals 12, even though B was changed in routine S2.
End Sub
All other types, including arrays of primitive types and strings are categorized as non-primitive
types.
When you pass a non-primitive to a sub or when you assign it to a different variable, a copy of the
reference is passed.
This means that the data itself isn't duplicated.
It is slightly different than passing by reference as you cannot change the reference of the original
variable.
For Views (B4A, B4i), Nodes (B4J), it is useful to add to the name a three character prefix that
defines its type.
Examples:
lblCapital lbl > Label Capital > purpose
edtInterest edt > EditText Interest > purpose
btnNext btn > Button Next > purpose
Variables are declared with the Private or the Public keyword followed by the variable name and
the As keyword and followed by the variable type. For details look at chapter Scope.
There exist the Dim keyword, this is maintained for compatibility.
Examples:
The names of the variables separated by commas and followed by the type declaration.
3.3 Declaring variables 14 B4X Basic language
Private txt = "test" As String, value = 1.05 As Double, flag = False As Boolean
To allocate a value to a variable write its name followed by the equal sign and followed by the
value, like:
Capital = 1200
LastName = "SMITH"
Note that for Capital we wrote just 1200 because Capital is a number.
But for LastName we wrote "SMITH" because LastName is a string.
Strings must always be written between double quotes.
Arrays are collections of data or objects that can be selected by indices. Arrays can have multiple
dimensions.
The declaration contains the Private or the Public keyword followed by the variable name
LastName, the number of items between brackets (50), the keyword As and the variable type String.
For details look at chapter Scope. There exist the Dim keyword, this is maintained for compatibility.
Examples:
Public LastName(50) As String One dimension array of strings, total number of items 50.
Public Matrix(3, 3) As Double Two dimensions array of Doubles, total number of items 9.
Public Data(3, 5, 10) As Int Three dimensions array of integers, total number of items 150.
The last index is equal to the number of items in each dimension minus 1.
LastName(49), Matrix(2,2), Data(2,4,9)
This example shows how to access all items in a three dimensional array.
For i = 0 To 2
For j = 0 To 4
For k = 0 To 9
Data(i, j, k) = ...
Next
Next
Next
We declare the variable Public NbPers = 10 As Int and set its value to 10.
Then we declare the arrays with this variable instead of the number 10 as before.
The big advantage is if at some point we need to change the number of items, we change only ONE
value.
For i = 0 To NbX - 1
For j = 0 To NbY - 1
For k = 0 To NbZ - 1
Data(i, j, k) = ...
Next
Next
Next
Const variables are constant variables which cannot be changed anywhere in the code.
For this, we use the Const keyword after Private or Public like below,
Views / nodes or objects can also be in an Array. The following code shows an example:
In B4A and B4i user interface objects are called views and called nodes in B4J.
In the example below the Buttons are added to the parent view / node by code.
B4A
Sub Globals
Private Buttons(6) As Button
End Sub
For i = 0 To 5
Buttons(i).Initialize("Buttons")
Activity.AddView(Buttons(i), 10dip, 10dip + i * 60dip, 150dip, 50dip)
Buttons(i).Tag = i + 1
Buttons(i).Text = "Test " & (i + 1)
Next
End Sub
Sub Buttons_Click
Private btn As Button
btn = Sender
Log("Button " & btn.Tag & " clicked")
End Sub
B4i
Sub Process_Globals
Private i As Int
For i = 0 To 5
Buttons(i).Initialize("Buttons")
Page1.RootPanel.AddView(Buttons(i), 10dip, 10dip + i * 60dip, 150dip, 50dip)
Buttons(i).Tag = i + 1
Buttons(i).Text = "Test " & (i + 1)
Next
End Sub
Sub Buttons_Click
Private btn As Button
btn = Sender
Log("Button " & btn.Tag & " clicked")
End Sub
3.3 Declaring variables 17 B4X Basic language
B4J
Sub Process_Globals
Private i As Int
For i = 0 To 5
Buttons(i).Initialize("Buttons")
MainForm.RootPane.AddNode(Buttons(i), 10, 10 + i * 60, 150, 50)
Buttons(i).Tag = i + 1
Buttons(i).Text = "Test " & (i + 1)
Next
End Sub
The Buttons could also have been added in a layout file, in that case they must neither be initialized,
nor added to the parent view / node and the Text and Tag properties should also be set in the
Designer.
In that case the code would look like this:
B4A
Sub Globals
Private b1, b2, b3, b4, b5, b6, b7 As Button
Private Buttons() As Button
End Sub
Sub Buttons_Click
Private btn As Button
btn = Sender
Log("Button " & btn.Tag & " clicked")
End Sub
3.3 Declaring variables 18 B4X Basic language
B4i
Sub Process_Globals
Sub Buttons_Click
Private btn As Button
btn = Sender
Log("Button " & btn.Tag & " clicked")
End Sub
B4J
Sub Process_Globals
A Type cannot be private. Once declared it is available everywhere (similar to Class modules).
The best place to declare them is in the Process_Globals routine in the Main module.
The new personal type is Person , then we declare either single variables or arrays of this personal
type.
To access a particular item use following code.
CurrentUser.FirstName
CurrentUser.LastName
User(1).LastName
User(1).FirstName
It is possible to assign a typed variable to another variable of the same type, as shown below.
CurrentUser = User(1)
3.4 Casting 20 B4X Basic language
3.4 Casting
B4X casts types automatically as needed. It also converts numbers to strings and vice versa
automatically.
In many cases you need to explicitly cast an Object to a specific type.
This can be done by assigning the Object to a variable of the required type.
For example, Sender keyword references an Object which is the object that raised the event.
The following code changes the color of the pressed button.
Note that there are multiple buttons that share the same event sub.
Sub Globals
Private Btn1, Btn2, Btn3 As Button
End Sub
Sub Btn_Click
Private btn As Button
btn = Sender ' Cast the Object to Button
btn.Color = Colors.RGB(Rnd(0, 255), Rnd(0, 255), Rnd(0, 255))
End Sub
Sub Globals
End Sub
Sub Btn_Click
Private btn As Button
btn = Sender ' Cast the Object to Button
btn.Color = Colors.RGB(Rnd(0, 255), Rnd(0, 255), Rnd(0, 255))
End Sub
3.5 Scope 21 B4X Basic language
3.5 Scope
However, in B4A, not all types of objects can be declared as process variables.
For example, views / nodes cannot be declared as process variables.
The reason is that we do not want to hold a reference to objects that should be destroyed together
with the activity.
In other words, once the activity is being destroyed, all of the views which are contained in the
activity are being destroyed as well.
If we hold a reference to a view, the garbage collector would not be able to free the resource and we
will have a memory leak. The compiler enforces this requirement.
To access process global variables in other modules than the module where they were declared their
names must have the module name they were declared as a prefix.
Example:
Variable defined in a module with the name : MyModule
Sub Process_Globals
Public MyVar As String
End Sub
For variables declared in Class modules in Sub Class_Globals the same rules as above are valid.
Public MyVarPublic As String ' public
Private MyVarPublic As String ' private
Dim MyVar As String ' public like Public
3.6 Tips
A view / node can be assigned to a variable so you can easily change the common properties of the
view.
For example, the following code disables all views that are direct children of a Panel / Pane:
For i = 0 To MyPanel.NumberOfViews - 1
Private v As View
v = MyPanel.GetView(i)
v.Enabled = False
Next
For i = 0 To MyPanel.NumberOfViews - 1
Private v As View
v = MyPanel.GetView(i)
If v Is Button Then ' check whether it is a Button
v.Enabled = False
End If
Next
4.1 B4A
A process starts when the user launches your application, assuming that it is not running already in
the background.
The process end is less determinant. It will happen sometime after the user or system has closed all
the activities.
If for example you have one activity and the user pressed on the back key, the activity gets closed.
Later when the phone gets low on memory (and eventually it will happen) the process will quit.
If the user launches your program again and the process was not killed then the same process will
be reused.
One major difference is that, while an activity is not in the foreground it can be killed in order to
preserve memory. Usually you will want to save the state of the activity before it gets lost. Either in
a persistent storage or in memory that is associated with the process.
Later this activity will be recreated when needed.
Another delicate point happens when there is a major configuration change in the device. The most
common is an orientation change (the user rotates the device). When such a change occurs the
current activities are destroyed and then recreated. Now it is possible to create the activity according
to the new configuration (for example, we now know the new screen dimensions).
4.1 Program flow / Process life cycle B4A 24 B4X Basic language
The Starter Service is used to declare all ProcessGlobal variables and these variables are accessible
from any module in the project.
The Main Activity is the starting activity, it cannot be removed.
Variables can be either global or local. Local variables are variables that are declared inside a sub
other than Process_Globals or Globals.
Local variables are local to the containing sub or module. Once the sub ends, these variables no
longer exist.
Global variables can be accessed from all subs in the containing module.
One of the challenges that developers of any non-small Android app need to deal with, is the
multiple possible entry points.
During development in almost all cases the application will start from the Main activity.
Many programs start with code similar to:
Everything seems to work fine during development. However the app "strangely" crashes from time
to time on the end user device.
The reason for those crashes is that the OS can start the process from a different activity or service.
For example if you use StartServiceAt and the OS kills the process while it is in the background.
Now the SQL object and the other resources will not be initialized.
Starting from B4A v5.20 there is a new feature named Starter service that provides a single and
consistent entry point. If the Starter service exists then the process will always start from this
service.
The Starter service will be created and started, and only then, the activity or service that were
supposed to be started will start.
This means that the Starter service is the best place to initialize all the application-wide resources.
Other modules can safely access these resources.
The Starter service should be the default location for all the public process global variables. SQL
objects, data read from files and bitmaps used by multiple activities should all be initialized in the
Service_Create sub of the Starter service.
Notes
• The Starter service is identified by its name. You can add a new service named Starter to an
existing project and it will be the program entry point.
This is done by selecting Project > Add New Module > Service Module.
• This is an optional feature. You can remove the Starter service.
• You can call StopService(Me) in Service_Start if you don't want the service to keep on
running. However this means that the service will not be able to handle events (for example
you will not be able to use the asynchronous SQL methods).
• The starter service should be excluded from compiled libraries. Its #ExcludeFromLibrary
attribute is set to True by default in the Service Attributes region.
4.1 Program flow / Process life cycle B4A 27 B4X Basic language
• Globals
Here we declare all Private variables for the given Activity.
• Sub Activity_Create
Here we load layouts and initialize activity objects added by code
• Activity_Resume
This routine is run every time the activity changes its state.
• Activity_Pause
This routine is run when the Activity is paused, like orientation change, lauch of another
activity etc.
4.1 Program flow / Process life cycle B4A 28 B4X Basic language
To summarize, you can test whether FirstTime is True and then initialize the process variables that
are declared in the Activity’s Sub Process_Globals.
4.1 Program flow / Process life cycle B4A 29 B4X Basic language
Which variable should we declare where and where do we initialize our variables:
• Variables and none user interface objects you want to access from several modules.
Like SQL, Maps, Lists, Bitmaps etc.
These must be declared as Public in Starter Process_Globals like:
Sub Process_Globals
Public SQL1 As SQL
Public Origin = 0 As Int
Public MyBitmap As Bitmap
End Sub
Sub Service_Create
SQL1.Initialize(...)
MyBitmap.Initialize(...)
End Sub
• Variables accessible from all Subs in an Activity which should be initialized only once.
These must be declared as Private in Activity Process_Globals like:
Sub Process_Globals
Private MyList As List
Private MyMap As Map
End Sub
Sub Activity_Create
MyList.Initialize
MyMap.Initialize
End Sub
Sub Globals
Private btnGoToAct2, btnChangeValues As Button
Private lblCapital, lblInterest, lblRate As Label
End Sub
Simple variables like Int, Double String and Boolean can be initialized directly in the declaration
line, even in Process_Globals routines.
Example:
Public Origin = 0 as Int
Activity_Resume is called right after Activity_Create finishes or after resuming a paused activity
(activity moved to the background and now it returns to the foreground).
Note that when you open a different activity (by calling StartActivity), the current activity is first
paused and then the other activity will be created if needed and (always) resumed.
Each time the activity moves from the foreground to the background Activity_Pause is called.
Activity_Pause is also called when the activity is in the foreground and a configuration change
occurs (which leads to the activity getting paused and then destroyed).
Activity_Pause is the last place to save important information.
Generally there are two types of mechanisms that allow you to save the activity state.
Information that is only relevant to the current application instance can be stored in one or more
process variables.
Other information should be stored in a persistent storage (file or database).
For example, if the user changed some settings you should save the changes to a persistent storage
at this point. Otherwise the changes may be lost.
Activity_Pause is called every time the activity moves from the foreground to the background. This
can happen because:
1. A different activity was started.
2. The Home button was pressed.
3. A configuration changed event was raised (orientation changed for example).
4. The Back button was pressed.
In scenarios 1 and 2, the activity will be paused and for now kept in memory as it is expected to be
reused later.
In scenario 3 the activity will be paused, destroyed and then created (and resumed) again.
In scenario 4 the activity will be paused and destroyed. Pressing on the Back button is similar to
closing the activity. In this case you do not need to save any instance specific information (the
position of pacman in a PacMan game for example).
The UserClosed parameter will be true in this scenario and false in all other. Note that it will also be
true when you call Activity.Finish. This method pauses and destroys the current activity, similar to
the Back button.
You can use UserClosed parameter to decide which data to save and also whether to reset any
related process variables to their initial state (move pacman position to the center if the position is a
process variable).
4.1 Program flow / Process life cycle B4A 31 B4X Basic language
Most applications should not use ExitApplication but prefer Activity.Finish which lets the OS
decide when the process is killed.
You should use it only if you really need to fully kill the process.
Let us now consider following example with Activity.Finish before each StartActivity:
• Main activity
o Activity.Finish
o StartActivity(SecondActivity)
• SecondActivity activity
o Activity.Finish
o StartActivity(ThirdActivity)
• ThirdActivity activity
o Click on Back button
o The OS leaves the program
We should use Activity.Finish before starting another activity only if we don't want to go back to
this activity with the Back button.
4.2 Program flow B4i 32 B4X Basic language
The program flow in B4i is much more simple than the B4A program flow.
Sub Process_Globals
'These global variables will be declared once when the application starts.
'Public variables can be accessed from all modules.
Public App As Application
Public NavControl As NavigationController
Private Page1 As Page
End Sub
End Sub
End Sub
When you start the program, the routines are executed in the order above.
Be aware that the dimensions of Page1 are not known in Application_Start, they are only known in
the Page1_Resize routine in the Width and Height parameters.
If you want to adjust views you must do it here.
4.3 Program flow B4J 33 B4X Basic language
The program flow in B4J is much more simple than the B4A program flow, similar to B4i.
Sub Process_Globals
Private fx As JFX
Private MainForm As Form
End Sub
'Return true to allow the default exceptions handler to handle the uncaught exception.
Sub Application_Error (Error As Exception, StackTrace As String) As Boolean
Return True
End Sub
When you start the program, the routines are executed in the order above.
If you want to adjust Nodes when the user resizes a form you must add a Resize routine for this
form, like:
If you use anchors in the Designer, the Resize event will not be necessary in most cases.
4.4 Program flow B4R 34 B4X Basic language
Sub Process_Globals
'These global variables will be declared once when the application starts.
'Public variables can be accessed from all modules.
Public Serial1 As Serial
End Sub
When you run the program, Process_Globals and then AppStart are executed.
Starter Process_Globals
Main Globals
Main Activity_Create
FirstTime = True
Main Activity_Resume
B4A B4i
Main Activity_Pause
Main Activity_Create
FirstTime = False
Main Activity_Resume
4.6 B4XPages program flow 36 B4X Basic language
For cross-platform projects with the B4XPages library the program flow is the same for all three
platforms. All the platform specific code is hidden in the B4XPages library and transparent to the
programmer.
The B4XPagesThreePages project in the B4XPages Cross-platform projects booklet shows the
program flow when navigating between Pages.
Examples:
Start of the project, the routines below are executed:
• MainPage Create
• MainPage Foreground
• MainPage Appear
• MainPage Resize
5 Basic language
5.1 Expressions
Precedence
Operator Example Operation
level
+ x + y 3 Addition
- x - y 3 Subtraction
* x * y 2 Multiplication
/ x / y 2 Division
Mod x Mod y 2 Modulo
Power Power(x,y) xy 1 Power of
Precedence level: In an expression, operations with level 1 are evaluated before operations with
level 2, which are evaluated before operations with level 3.
Examples:
4 + 5 * 3 + 2 = 21 > 4 + 15 + 2
(4 + 5) * (3 + 2) = 45 > 9 * 5
- 22 = - 4
(-2)2 = 4
5.1 Expressions 38 B4X Basic language
In computer science in relational expressions an operator tests some kind of relation between two
entities. These include numerical equality (e.g., 5 = 5) and inequalities (e.g., 4 >= 3).
In B4X these operators return True or False, depending on whether the conditional relationship
between the two operands holds or not.
In computer science, a Boolean expression is an expression that produces a Boolean value when
evaluated, i.e. one of True or False. A Boolean expression may be composed of a combination of
the Boolean constants True or False, Boolean-typed variables, Boolean-valued operators, and
Boolean-valued functions (source Wikipedia).
Boolean operators are used in conditional statements such as IF-Then and Select-Case.
Operator Comment
Or Boolean Or Z = X Or Y Z = True if X or Y is equal to True or both are True
And Boolean And Z = X And Y Z = True if X and Y are both equal to True
Not ( ) Boolean Not X = True Y = Not(X) > Y = False
Or And
X Y Z Z
False False False False
True False True False
False True True False
True True True True
5.2 Standard keywords 39 B4X Basic language
Calculates the trigonometric arccosine function. Returns the angle measured with radians.
Calculates the trigonometric arccosine function. Returns the angle measured with degrees.
Array
Returns the unicode code point of the given character or first character in string.
Calculates the trigonometric arcsine function. Returns the angle measured with radians.
Calculates the trigonometric arcsine function. Returns the angle measured with degrees.
Calculates the trigonometric arctangent function. Returns the angle measured with radians.
Calculates the trigonometric arctangent function. Returns the angle measured with radians.
Calculates the trigonometric arctangent function. Returns the angle measured with degrees.
Calculates the trigonometric arctangent function. Returns the angle measured with degrees.
5.2 Standard keywords 42 B4X Basic language
BytesToString (Data() As Byte, StartOffset As Int, Length As Int, CharSet As String) As String
Calls the given sub. CallSub can be used to call a sub which belongs to a different module.
However the sub will only be called if the other module is not paused. In that case an empty string
will be returned.
You can use IsPaused to test whether a module is paused.
This means that one activity cannot call a sub of a different activity. As the other activity will be
paused for sure.
CallSub allows an activity to call a service sub or a service to call an activity sub.
Note that it is not possible to call subs of code modules.
CallSub can also be used to call subs in the current module. Pass Me as the component in that case.
Example:
CallSub(Main, "RefreshData")
CallSub3 (Component As Object, Sub As String, Argument1 As Object, Argument2 As Object) As Object
Catch
Any exception thrown inside a try block will be caught in the catch block.
Call LastException to get the caught exception.
Syntax:
Try
...
Catch
...
End Try
cE As Double
Returns the smallest double that is greater or equal to the specified number and is equal to an
integer.
Continue
Stops executing the current iteration and continues with the next one.
cPI As Double
PI constant.
CreateMap
CRLF As String
Dim
Declares a variable.
Syntax:
Declare a single variable:
Dim variable name [As type] [= expression]
The default type is String.
Declare an array:
Dim variable(Rank1, Rank2, ...) [As type]
Example: Dim Days(7) As String
The actual rank can be omitted for zero length arrays.
Exit
False As Boolean
Returns the largest double that is smaller or equal to the specified number and is equal to an integer.
For
Syntax:
For variable = value1 To value2 [Step interval]
...
Next
If the iterator variable was not declared before it will be of type Int.
Or:
For Each variable As type In collection
...
Next
Examples:
For i = 1 To 10
Log(i) 'Will print 1 to 10 (inclusive).
Next
For Each n As Int In Numbers 'an array
Sum = Sum + n
Next
Note that the loop limits will only be calculated once before the first iteration.
5.2 Standard keywords 45 B4X Basic language
If
Single line:
If condition Then true-statement [Else false-statement]
Multiline:
If condition Then
statement
Else If condition Then
statement
...
Else
statement
End If
IIf
Inline If - returns TrueValue if Condition is True and False otherwise. Only the relevant expression
is evaluated.
Is
LoadBitmapResize (Dir As String, FileName As String, Width As Int, Height As Int, KeepAspectRatio As
Boolean) As Bitmap
LoadBitmapSample (Dir As String, FileName As String, MaxWidth As Int, MaxHeight As Int) As Bitmap
Logs a message. The message will be displayed in the IDE with the specified color.
Me As Object
Null As Object
QUOTE As String
Regex As Regex
Return
Returns from the current sub and optionally returns the given value.
Syntax: Return [value]
Select
Sender As Object
Pauses the current sub execution and resumes it after the specified time.
Sub
TAB As String
Tab character.
True As Boolean
Try
Any exception thrown inside a try block will be caught in the catch block.
Call LastException to get the caught exception.
Syntax:
Try
...
Catch
...
End Try
5.2 Standard keywords 50 B4X Basic language
Type
Declares a structure.
Can only be used inside sub Globals or sub Process_Globals.
Syntax:
Type type-name (field1, field2, ...)
Fields include name and type.
Example:
Type MyType (Name As String, Items(10) As Int)
Dim a, b As MyType
a.Initialize
a.Items(2) = 123
Until
While
The If-Then-Else structure allows to operate conditional tests and execute different code sections
according to the test result.
General case:
If test1 Then
' code1
Else If test2 Then
' code2
Else
' code3
End If
The tests can be any kind of conditional test with two possibilities True or False.
Some examples:
If b = 0 Then
a = 0 The simplest If-Then structure.
End If
If b = 0 Then
a = 0 The simplest If-Then-Else structure.
Else
a = 1
End If
If b = 0 Then a = 0 : c = 1
The colon character ' : ' in the line above is treated in B4X like a CarriageReturn CR character.
In this example:
It goes from left to right and stops immediately when the result is determined (short circuit
evaluation).
IIf - Inline If, also called ternary if as it is an operator with three arguments.
Unlike this sub, the IIf keyword will only evaluate the relevant expression. This means that this
code will work properly:
(There is another minor difference related to the return type. If it is set explicitly with the new As
method, the compiler will avoid casting the values to Object and back to the target type. This is only
significant in very tight and long loops).
5.3 Conditional statements 54 B4X Basic language
The Select - Case structure allows to compare a TestExpression with other Expressions and to
execute different code sections according to the matches between the TestExpression and
Expressions.
General case:
Examples:
Select Value
Case 1, 2, 3, 4 The Value variable is a numeric value.
Case Activity.ACTION_MOVE
Case Activity.ACTION_UP
End Select
End Sub
5.3 Conditional statements 55 B4X Basic language
If the step value is equal to '+1' the step keyword is not needed.
For i = n3 To 0 Step -1
Next
In VB :
• The increment variable is added after the Next Keyword.
• The loop type is specified after the Exit keyword.
Example:
Next
Sum = 0
For Each n As Int In Numbers
Sum = Sum + n
Next
Sum = 0
For i = 0 To Numbers.Length - 1
Sum = Sum + Numbers(i)
Next
5.4 Loop structures 58 B4X Basic language
5.4.3 Do - Loop
Do While test
' code
If a = 0 Then Exit If a = 0 then exit the loop
' code
Loop
5.4 Loop structures 59 B4X Basic language
Examples :
Do Until Loop :
Private i, n As Int
i = 0
Do Until i = 10
' code
i = i + 1
Loop
Do While Loop :
Private i, n As Int
i = 0
Do While i < 10
' code
i = i + 1
Loop
tr.Initialize(File.OpenInput(File.DirInternal, "test.txt"))
lstText.Initialize
line = tr.ReadLine
Do While line <> Null
lstText.Add(line)
line = tr.ReadLine
Loop
tr.Close
VB accepts also the following loops, which are not supported in B4X.
Do Do
' code ' code
Loop While test Loop Until test
5.5 .As inline casting 60 B4X Basic language
As - Inline casting. Allows inline casting from one type to another. Some examples:
Button1.As(JavaObject).RunMethod("setMouseTransparent", Array(True))
It can also be used with numbers, which is especially useful when calling external APIs with
JavaObject, as the types need to be exact (for B4J):
#if Java
public double sum(float n1, double n2) {
return n1 + n2;
}
#End If
5.6 Subs 61 B4X Basic language
5.6 Subs
A Subroutine (“Sub”) is a piece of code. It can be any length, and it has a distinctive name and a
defined scope (in the means of variables scope discussed earlier). In B4X code, a subroutine is
called “Sub”, and is equivalent to procedures, functions, methods and subs in other programming
languages. The lines of code inside a Sub are executed from first to last, as described in the program
flow chapter.
It is not recommended to have Subs with a large amount of code, they get less readable.
5.6.1 Declaring
It starts with the keyword Sub, followed by the Sub’s name, followed by a parameter list, followed
by the return type and ends with the keywords End Sub.
Subs are always declared at the top level of the module, you cannot nest two Subs one inside the
other.
When you want to execute the lines of code in a Sub, you simply write the Sub’s name.
For example:
Interest = CalcInterest(1234, 5.2)
A subroutine declared in a code module can be accessed from any other module but the name of the
routine must have the name of the module where it was declared as a prefix.
Example: If the CalcInterest routine is declared in module MyModule then calling the routine
must be :
Interest = MyModule.CalcInterest(1234, 5.2)
instead of:
Interest = CalcInterest(1234, 5.2)
5.6 Subs 62 B4X Basic language
5.6.4 Naming
Basically, you can name a Sub any name that’s legal for a variable. It is recommended to name the
Sub with a significant name, like CalcInterest in the example, so you can tell what it does from
reading the code.
There is no limit on the number of Subs you can add to your program, but it is not allowed to have
two Subs with the same name in the same module.
5.6.5 Parameters
Parameters can be transmitted to the Sub. The list follows the sub name. The parameter list is put in
brackets.
The parameter types should be declared directly in the list.
For i = 0 To 10
MyList.Add("Test" & i)
Next
Return MyList
End Sub
If you want to return an array then you need to add a parenthesis at the end os the object type.
If you want to return a multidimentional array you need to add comma for supplematary diemsion.
One comma for a two dimeansion array.
Resumable subs is a new feature added in B4A v7.00 / B4i v4.00 / B4J v5.50. It dramatically
simplifies the handling of asynchronous tasks.
(This feature is a variant of stackless coroutines.)
The special feature of resumable subs is that they can be paused, without pausing the executing
thread, and later be resumed.
The program doesn't wait for the resumable sub to be continued. Other events will be raised as
usual.
Any sub with one or more calls to Sleep or Wait For is a resumable sub.
The IDE shows this indicator next to the sub declaration:
5.7.1 Sleep
Pauses the current sub execution and resumes it after the specified time.
Log(1)
Sleep(1000)
Log(2)
The sub will be paused for 1000 milliseconds and then be resumed.
You can call Sleep(0) for the shortest pause. This can be used to allow the UI to be refreshed. It is a
good alternative to DoEvents (which doesn't exist in B4J and B4i and should be avoided in B4A).
Sub VeryBusySub
For i = 1 To 10000000
'do something
If i Mod 1000 = 0 Then Sleep(0) 'allow the UI to refresh every 1000 iterations.
Next
Log("finished!")
End Sub
5.7 Resumable Subs 65 B4X Basic language
B4X programming languages are event driven. Asynchronous tasks run in the background and raise
an event when the task completes.
With the new Wait For keyword you can handle the event inside the current sub.
For example, this code will wait for the GoogleMap Ready event (B4J example):
gmap.Initialize("gmap")
Pane1.AddNode(gmap.AsPane, 0, 0, Pane1.Width, Pane1.Height)
MainForm.Show
Wait For gmap_Ready '<----------------
gmap.AddMarker(10, 10, "Marker")
End Sub
When the Wait For keyword is called, the sub is paused and the internal events dispatcher takes care
to resume it when the event is raised. If the event is never raised then the sub will never be resumed.
The program will still be completely responsive.
If Wait For is later called with the same event then the new sub instance will replace the previous
one.
5.7 Resumable Subs 66 B4X Basic language
Lets say that we want to create a sub that downloads an image and sets it to an ImageView:
It will work properly if we call it once (more correctly, if we don't call it again before the previous
call completes).
If we call it like this:
DownloadImage("https://www.b4x.com/images3/android.png", ImageView1)
DownloadImage("https://www.b4x.com/images3/apple.png", ImageView2)
Then only the second image will show because the second call to Wait For JobDone will overwrite
the previous one.
This brings us to the second variant of Wait For.
To solve this issue, Wait For can distinguish between events based on the event sender.
This is done with an optional parameter:
Example:
With the above code, each resumable sub instance will wait for a different event and will not be
affected by other calls.
Sub S1
Log("S1: A")
S2
Log("S1: B")
End Sub
Sub S2
Log("S2: A")
Sleep(0)
Log("S2: B")
End Sub
Whenever Sleep or Wait For are called, the current sub is paused. This is equivalent to calling
Return.
5.7 Resumable Subs 68 B4X Basic language
When one sub calls a second resumable sub, the code in the first sub will continue after the first
Sleep or Wait For call (in the second sub).
If you want to wait for the second sub to complete then you can raise an event from the second sub
and wait for it in the first:
Sub FirstSub
Log("FirstSub started")
SecondSub
Wait For SecondSub_Complete
Log("FirstSub completed")
End Sub
Sub SecondSub
Log("SecondSub started")
Sleep(1000)
Log("SecondSub completed")
CallSubDelayed(Me, "SecondSub_Complete")
End Sub
Logs:
FirstSub started
SecondSub started
SecondSub completed
FirstSub completed
Notes:
- It is safer to use CallSubDelayed than CallSub. CallSub will fail if the second sub is never paused
(for example if the sleep is only called based on some condition).
- There is an assumption here that FirstSub will not be called again until it is completed.
5.7 Resumable Subs 69 B4X Basic language
Example:
Sub Button1_Click
Sum(1, 2)
Log("after sum")
End Sub
Output:
after sum
3
Solution.
Resumable subs can return a new type named ResumableSub. Other subs can use this value to wait
for the sub to complete and get the desired return value.
Sub Button1_Click
Wait For(Sum(1, 2)) Complete (Result As Int)
Log("result: " & Result)
Log("after sum")
End Sub
Output:
3
result: 3
after sum
Sub Button1_Click
Dim rs As ResumableSub = Sum(1, 2)
Wait For(rs) Complete (Result As Int)
Log("result: " & Result)
Log("after sum")
End Sub
5.7 Resumable Subs 70 B4X Basic language
Starting from B4A v7.0 the following warning will appear for DoEvents calls:
DoEvents is deprecated. It can lead to stability issues. Use Sleep(0) instead (if really needed).
The purpose of DoEvents was to allow the UI to be updated while the main thread is busy.
DoEvents which shares the same implementation as the modal dialogs implementation, is a low
level implementation. It accesses the process message queue and runs some of the waiting
messages.
As Android evolved, the handling of the message queue became more sophisticated and fragile.
The reasons for deprecating DoEvents are:
1. It is a major source for instability issues. It can lead to hard to debug crashes or ANR (application
not responding) dialogs. Note that this is also true for the modal dialogs (such as Msgbox and
InputList).
2. There are better ways to keep the main thread free. For example use the asynchronous SQL
methods instead of the synchronous methods.
3. It doesn't do what many developers expect it to do. As it only handles UI related messages, most
events could not be raised from a DoEvents call.
4. It is now possible to call Sleep to pause the current sub and resume it after the waiting messages
are processed. Sleep implementation is completely different than DoEvents. It doesn't hold the
thread. It instead releases it while preserving the sub state.
Unlike DoEvents which only processed UI related messages, with Sleep all messages will be
processed and other events will be raised.
(Note that using Wait For to wait for an event is better than calling Sleep in a loop.)
With that said, DoEvents is still there and existing applications will work exactly as before.
5.7 Resumable Subs 72 B4X Basic language
5.7.7 Dialogs
Modal dialogs = dialogs that hold the main thread until the dialog is dismissed.
As written above, modal dialogs share the same implementation as DoEvents. It is therefore
recommended to switch to the new async dialogs instead.
Using Wait For, is really a simple change:
Instead of:
Wait For doesn't hold the main thread. It instead saves the current sub state and releases it. The
code will resume when the user clicks on one of the dialog buttons.
The other similar new methods are: MsgboxAsync, InputListAsync and InputMapAsync.
With the exception of MsgboxAsync, the new methods also add a new cancelable parameter. If it is
true then the dialog can be dismissed by clicking on the back key or outside the dialog. This is the
default behavior of the older methods.
As other code can run while the async dialog is visible, it is possible that multiple dialogs will
appear at the same time.
If this case is relevant for your app then you should set the sender filter parameter in the Wait For
call:
This allows multiple messages to be displayed and the result events will be handled correctly.
5.7 Resumable Subs 73 B4X Basic language
The new resumable subs feature, makes it simpler to work with large data sets with minimum effect
on the program responsiveness.
For i = 1 To 1000
SQL1.AddNonQueryToBatch("INSERT INTO table1 VALUES (?)", Array(Rnd(0, 100000)))
Next
Dim SenderFilter As Object = SQL1.ExecNonQueryBatch("SQL")
Wait For (SenderFilter) SQL_NonQueryComplete (Success As Boolean)
Log("NonQuery: " & Success)
5.7.8.1 Queries
In most cases the queries will be fast and should therefore be issued synchronously with
SQL1.ExecQuery2. However if there is a slow query then you should switch to
SQL1.ExecQueryAsync:
As in the previous case, the ExecQueryAsync method returns an object that is used as the sender
filter parameter.
Tips:
1. ResultSet type in B4A extends the Cursor type. You can change it to Cursor if you prefer. The
advantage of using ResultSet is that it is compatible with B4J and B4i.
2. If the number of rows returned from the query is large then the Do While loop will be slow in
debug mode. You can make it faster by putting it in a different sub and cleaning the project (Ctrl +
P):
5.7 Resumable Subs 74 B4X Basic language
5.7.8.2 B4J
5.8 Events
In Object-oriented programming we have objects which can react on different user actions called
events.
The number and the type of events an object can raise depend on the type of the object.
5.8.1 B4A
Events
CheckedChange
ItemLongClick
FocusChanged
ScrollChanged
ValueChanged
PageFinished
TextChanged
EnterPressed
TabChanged
OverrideUrl
LongClick
ItemClick
KeyPress
KeyUp
Touch
Down
Click
Up
Views
Activity
Button
CheckBox
EditText
HorizontalScrollView
ImageView
Label
ListView
Panel
RadioButton
ScrollView
SeekBar
Spinner
TabHost
ToggleButton
WebView
5.8.1 Events B4A 76 B4X Basic language
• LongClick Event raised when the user clicks on the view and holds it pressed for a while.
Example:
Sub Button1_LongClick
' Your code
End Sub
Example:
Sub Activity_Touch (Action As Int, X As Float, Y As Float)
Select Action
Case Activity.ACTION_DOWN
' Your code for DOWN action
Case Activity.ACTION_MOVE
' Your code for MOVE action
Case Activity.ACTION_UP
' Your code for UP action
End Select
End Sub
Example:
Sub CheckBox1_CheckedChange(Checked As Boolean)
If Checked = True Then
' Your code if checked
Else
' Your code if not checked
End If
End Sub
5.8.1 Events B4A 77 B4X Basic language
Example:
5.8.2 B4i
Events
ScrollChanged
ValueChanged
IndexChanged
PageFinished
TextChanged
EnterPressed
ItemSelected
OverrideUrl
LongClick
BeginEdit
EndEdit
Resize
Touch
Click
Views
Button
TextField
TextView
ImageView
Label
Panel
ScrollView
Slider
Picker
Stepper
Switch
SegmentedControl
Slider
Stepper
WebView
5.8.2 Events B4i 79 B4X Basic language
• LongClick Event raised when the user clicks on the view and holds it pressed for a while.
Example:
Private Sub Button1_LongClick
' Your code
End Sub
The X and Y coordinates of the finger positions are given in Points not in Pixels.
Example:
Private Sub Panel_Touch (Action As Int, X As Float, Y As Float)
Select Action
Case Panel.ACTION_DOWN
' Your code for DOWN action
Case Panel.ACTION_MOVE
' Your code for MOVE action
Case Panel.ACTION_UP
' Your code for UP action
End Select
End Sub
5.8.3 Events B4J 80 B4X Basic language
5.8.3 B4J
Events
SelectedIndexChanged
H / VScrollChanged
CheckedChange
SelectedChange
MouseReleased
MouseDragged
FocusChanged
MouseClicked
MouseEntered
MousePressed
MouseMoved
ValueChange
PageFinished
TextChanged
MouseExited
TabChanged
Action
Resize
Touch
d
Nodes
Button
Canvas
CheckBox
ChoiceBox
ComboBox
ImageView
Label
ListView
Pane
RadioButton
ScrollPane
Slider
Spinner
TabPane
TextArea
TextField
ToggleButton
WebView
5.8.3 Events B4J 81 B4X Basic language
• Action Event raised when the user clicks on the node (Button or TextField).
Example:
Private Sub Button1_Action
' Your code
End Sub
• FocusChanged (HasFocus As Boolean) Event raised when the node gets or looses focus.
Example:
Private Sub TextField1_FocusChanged (HasFocus As Boolean)
' Your code
End Sub
• MouseEvent
Data includes in the MouseEvent object:
Example:
Sub Pane1_Touch (Action As Int, X As Float, Y As Float)
Select Action
Case Pane1.TOUCH_ACTION_DOWN
' Your code for DOWN action
Case Pane1.TOUCH_ACTION_MOVE
' Your code for MOVE action
Case Pane1.TOUCH_ACTION_UP
' Your code for UP action
End Select
End Sub
or
5.8.4 B4R
In B4R, the Pin and Timer objects are the only ones raising an event:
• Pin
StateChanged (State As Boolean) Event raised when the pin changes its state.
Example:
Sub Pin1_StateChanged(State As Boolean)
' Your code
End Sub
• Timer
Tick Event raised at every given interval
Example:
Private Timer1 As Timer
Timer1.Initialize("Timer1_Tick",1000)
Sub Timer1_Tick
' Your code
End Sub
Be aware that in B4R the initialize method is different from the other B4X products.
You must declare the full sub name like "Timer1_Tick", and not "Timer1" like in the other
products.
5.8.5 User interface summary 85 B4X Basic language
For cross-platform projects you might look at the B4X Cross-platform projects booklet and more
specific chapter 4. Compatibilities B4A B4i B4J XUI.
5.9 Libraries 86 B4X Basic language
5.9 Libraries
The standard B4X libraries are saved in the Libraries folder in the B4X program folder.
Normally in:
C:\Program Files\Anywhere Software\B4A\Libraries
C:\Program Files\Anywhere Software\B4i\Libraries
C:\Program Files\Anywhere Software\B4J\Libraries
C:\Program Files\Anywhere Software\B4R\Libraries
Additional Libraries are composed of two files: an xxx.jar and an xxx.xml file.
B4X libraries have only one file xxx.b4xlib.
For the additional libraries it is necessary to setup a special folder to save them somewhere else.
This folder must have the following structure:
One subfolder for each product: B4A, B4i, B4J, B4R and another B4X for B4X libraries.
When you install a new version of a B4X product, all standard libraries are automatically updated,
but the additional libraries are not included. The advantage of the special folder is that you don't
need to care about them because this folder is not affected when you install the new version of B4X.
The additional libraries are not systematically updated with new version of B4X.
But, if you use the B4X Help Viewer you would be interested in having these help files if they are
available. The B4X Help Viewer is explained in the B4X Help tools booklet.
You can create xml files for b4xlib libraries with this tool: b4xlib – XML generation.
5.9 Libraries 88 B4X Basic language
B4X libraries are cross platform libraries introduced in B4A 8.80, B4i 5.50 and B4J 7.00.
These libraries contain cross platform classes which don’t need to be compiled as libraries.
Creating a b4x library is very simple. You just need to create a zip file with these resources. The zip
file extension should be b4xlib. That's all.
Note that the source code can be extracted from a b4x library.
b4x libraries appear like all other libraries in the Libraries tab.
Files contains all the needed files, the three layout files in the example.
A list of the official and additional libraries with links to the relevant help documentation can be
found on the B4X site in the:
B4A Documentation page: List of Libraries.
B4i Documentation page: List of Libraries.
B4J Documentation page: List of Libraries.
B4R Documentation page: List of Libraries.
Or in the B4X Libraries Google sheet.
If you get a message similar to this, it means that you forgot to check the specified library in the Lib
Tab list !
5.10 String manuipulation 92 B4X Basic language
B4A, B4i and B4J allow string manipulations like other Basic languages but with some differences.
Examples:
• Strings
Private MyString As String
MyString = "aaa" & "bbb" & "ccc" result: aaabbbccc
Tested on a real device, the first 'for loop' took about 20 seconds and the second took less then a
tenth of a second.
The reason is that the code: s = s & i creates a new string each iteration (strings are immutable).
The method StringBuilder.ToString converts the object to a string.
5.10 String manuipulation 95 B4X Basic language
Initialize
Initializes the object.
Example:
Dim sb As StringBuilder
sb.Initialize
sb.Append("The value is: ").Append(SomeOtherVariable).Append(CRLF)
IsInitialized As Boolean
ToString As String
Converts the object to a string.
5.10 String manuipulation 96 B4X Basic language
The "smart string" literal is a more powerful version of the standard string literal.
It has three advantages:
The smart string literal starts with $" and ends with "$.
Example:
Dim s As String = $"Hello world"$
Dim query As String = $"
SELECT value_id FROM table3
WHERE rowid >= random()%(SELECT max(rowid)FROM table3)
AND second_value ISNOTNULL
LIMIT 1"$
Log($"No need to escape "quotes"! "$)
Smart strings can hold zero or more placeholders with code. The placeholders can be easily
formatted.
A placeholder starts with $[optional formatter]{ and ends with }:
You can put any code you like inside the placeholders.
Dim x = 1, y = 2, z = 4 As Int
Log($"x = ${x}, y = ${y}, z = ${Sin(z)}"$) 'x = 1, y = 2, z = -0.7568024953079282
This is a compile time feature. You cannot load the strings from a file for example.
The number formatter allows you to set the minimum number of integers and the maximum number
of fractions digits. It is similar to NumberFormat keyword.
XML - Escapes the five XML entities (", ', <, >, &):
Starting from B4A v6.80 many methods accept CharSequence instead of String. Existing code will
work properly as you can pass regular strings. However you can now also pass more interesting
CharSequences.
Note to library developers, if your library makes calls to APIs that work with CharSequences then
you should change your method signatures to expect CharSequence instead of String. This will
allow developers to format the text.
The examples are made with B4A, but the principles are the same for B4i
5.10.5.1 Text
Private cs As CSBuilder
cs = cs.Initialize.Color(Colors.Red).Append("Hello World!").PopAll
Label1.Text = cs
Almost all methods of CSBuilder return the object itself. This allows us to chain the method calls.
Text is always appended with the Append method.
There are various attributes that can be set. Setting an attribute marks the beginning of a style span.
Calling Pop ends the last span that was added (and not ended yet).
Calling PopAll ends all open spans. It is convenient to always call PopAll at the end to ensure that
all spans are closed.
'It doesn't matter whether the methods are chained or split into several lines:
Private cs As CSBuilder
cs.Initialize.Color(Colors.Red).Append("Hello ")
cs.Bold.Color(Colors.Green).Append("Colorful ").Pop.Pop
'two pops: the first removes the green color and the second removes the bold style
cs.Append("World!").PopAll
Label1.Text = cs
'can also be set as the activity title
Activity.Title = cs
'and Toast messages and in other places...
ToastMessageShow(cs, True)
5.10 String manuipulation 100 B4X Basic language
Private cs As CSBuilder
Label1.Text = cs.Initialize.Append("Text with FontAwesome:
").Typeface(Typeface.FONTAWESOME).Append(Chr(0xF209)).PopAll
'Using the same builder multiple times. Note that it is initialized each time.
'Note that we vertically align the material icon character.
cs.Initialize.Append("Text with MaterialIcons:
").Typeface(Typeface.MATERIALICONS).VerticalAlign(5dip).Append(Chr(0xE531)).PopAll
Activity.Title = cs
Note: The hex values of Materialicons characters begin with 0xE and FontAwesome charactes
begins with 0xF
5.10.5.3 Images
Private cs As CSBuilder
cs.Initialize.Size(18).Typeface(Typeface.MONOSPACE)
cs.Image(LoadBitmap(File.DirAssets, "edelweiss.jpg"), 60dip, 40dip, False).Append("
Edelweiss").Append(CRLF)
cs.Image(LoadBitmap(File.DirAssets, "gentiane.jpg"), 60dip, 40dip, False).Append("
Gentiane").Append(CRLF)
cs.Image(LoadBitmap(File.DirAssets, "lys_martagon.jpg"), 60dip, 40dip, False).Append("
Lys martagon").Append(CRLF)
cs.Image(LoadBitmap(File.DirAssets, "rose.jpg"), 60dip, 40dip, False).Append("
Rose").Append(CRLF)
cs.PopAll
Label1.Text = cs
5.10 String manuipulation 101 B4X Basic language
The Clickable method creates clickable text. For the event to be raised you must call
cs.EnableClickEvents.
The Append method accepts a CharSequence. In the following code the CreateClickableWord sub
returns a CharSequence that is then appended to the other CharSqeuence.
• Initialize
Initializes the builder. You can call this method multiple times to create new
CharSequences.
Note that like most other methods it returns the current object.
• IsInitialized
Tests whether this object was initialized. Returns a Boolean.
• Pop
Closes the most recent span. All spans must be closed. You can call PopAll to close all open
spans.
• PopAll
Closes all open spans.
It is convenient to always call PopAll at the end to ensure that all spans are closed.
• Strikethrough
Starts a strikethrough span.
• ToString
Returns a string with the characters.
• Underline
Starts an underline span.
• Bold
Starts a bold span.
The TextFlow Class uses JavaObject to create a TextFlow node. With a TextFlow you can display
rich text with different colors, fonts and other attributes.
Usage:
- Add the TextFlow class module to your project (Tools - Add Existing Module).
- Create a TextFlow object.
- Call AddText to add a text section and set its attributes.
- Eventually you should call CreateTextFlow to create the node that will be added to the layout.
Note that the set attributes return the class instance which allows chaining the calls.
Example code:
Dim tf As TextFlow
tf.Initialize
tf.AddText("1 2 3").SetColor(fx.Colors.Red).SetUnderline(True)
tf.AddText(" 4 5 6 ").SetColor(fx.Colors.Green).SetFont(fx.CreateFont("", 17, True, Tru
e))
tf.AddText("7 8 9").SetColor(fx.Colors.Blue).SetStrikethrough(True).SetFont(fx.DefaultF
ont(20))
Dim pane As Pane = tf.CreateTextFlow
MainForm.RootPane.AddNode(pane, 10, 10, 200, 100)
5.10 String manuipulation 107 B4X Basic language
5.10.7 B4R
These kind of manipulations can be done with the ByteConverter object in the rRandomAccesFile
library.
B4R strings are different than in other B4X tools. The reasons for these differences are:
• Very limited memory.
• Lack of Unicode encoders.
A String object in B4R is the same as a C language char* string. It is an array of bytes with an
additional zero byte at the end.
The requirement of the last zero byte makes it impossible to create a substring without copying the
memory to a new address.
For that reason, arrays of bytes are preferable over Strings.
The various string related methods work with arrays of bytes.
Converting a string to an array of bytes is very simple and doesn't involve any memory copying.
The compiler will do it automatically when needed:
Private b() As Byte = "abc" 'equivalent to Private b() As Byte = "abc".GetBytes
String Methods
The standard string methods are available in ByteConverter type (rRandomAccessFile library).
Note how both strings and array of bytes can be used as the compiler converts strings to arrays of
bytes automatically.
With the exception of JoinStrings, none of the above methods make a copy of the original string /
bytes.
This means that modifying the returned array as in the last three lines will also modify the original
array.
It will also happen with string literals that all share the same memory block:
Number formatting, display numbers as strings with different formats, there are two keywords:
• NumberFormat(Number As Double, MinimumIntegers As Int, MaximumFractions As Int)
NumberFormat(12345.6789, 0, 2) = 12,345.68
NumberFormat(1, 3 ,0) = 001
NumberFormat(Value, 3 ,0) variables can be used.
NumberFormat(Value + 10, 3 ,0) arithmetic operations can be used.
NumberFormat((lblscore.Text + 10), 0, 0) if one variable is a string add parentheses.
The formatter holds a list of format data objects. A new formatter starts with a single format data
which acts as the default format.
5.11.3 B4R
5.12 Timers
A Timer object generates Tick events at specified intervals. Using a timer is a good alternative to a
long loop, as it allows the UI thread to handle other events and messages.
Note that the timer events will not fire while the UI thread is busy running other code.
Timer events will not fire when the activity is paused, or if a blocking dialog (like Msgbox) is
visible.
It is also important, in B4A, to disable the timer when the activity is pausing and then enable it
when it resumes. This will save CPU and battery.
A timer has:
• Three parameters.
o Initialize Initializes the timer with two parameters, the EventName and the
interval.
Timer1.Initialize(EventName As String, Interval As Long)
Ex: Timer1.Initialize("Timer1", 1000)
• One Event
o Tick The Tick routine is called every time interval.
Ex: Sub Timer1_Tick
Sub Process_Globals
Public Timer1 As Timer
5.12 Timers 112 B4X Basic language
But it must be initialized in one of the following routines in the module where the timer tick
event routine is used.
Many applications require access to a persistent storage. The two most common storage types are
files and databases.
Android and iOS have their own file system. B4A nor B4i programs have access to files in the
Windows system.
To add files to your project you must add those in the IDE in the Files Tab. These files will be
added to the project Files folder.
The predefined object File has a number of functions for working with files.
File.DirAssets
The assets folder includes the files that were added with the file manager in the IDE.
It's the Files folder in the project folder.
These files are read-only !
You can not create new files in this folder (which is actually located inside the apk file).
If you have a database file in the Dir.Assets folder you need to copy it to another folder before you
can use it.
5.13.1.1.1 B4X
To save data generated by the application and used only by the application you might use the xui,
(jxui or ixui) library get the default folder.
xui.DefaultFolder
This folder is the same as:
• B4A - Same as File.DirInternal.
• B4i - Same as File.DirDocuments.
• B4J - Same as File.DirData.
You must first call SetDataFolder once before you can use this folder.
xui.SetDataFolder(AppName As String)
5.13 Files 114 B4X Basic language
File.DirDefaultExternal
The default folder for your application in the SD card.
The folder is: <storage card>/Android/data/<package>/files/
It will be created if required.
Note that calling any of the two above properties will add the EXTERNAL_STORAGE permission
to your application.
Tip: You can check if there is a storage card and whether it is available with
File.ExternalReadable and File.ExternalWritable.
External storage.
You should use the RuntimePermissions library to get the best folder with:
MyFolder = RuntimePermissions.GetSafeDirDefaultExternal(SubFolder As String)
Returns the path to the app's default folder on the secondary storage device.
The path to File.DirInternal will be returned if there is no secondary storage available.
It is a better alternative to File.DirDefaultExternal.
On Android 4.4+ no permission is required to access this folder.
SubFolder - A sub folder that will be created for your app. Pass an empty string if not needed.
Before we start:
1. External storage means a real sd card or a connected mass storage USB device.
2. It has nothing to do with File.DirRootExternal / DirDefaultExternal which actually point to an
internal storage.
3. It has nothing to do with runtime permissions.
4. You can use RuntimePermissions.GetAllSafeDirsExternal to directly access a specific folder on
the SD card.
5. The minimum version for this class is Android 5. It might work with Android 4.4 (change
minSdkVersion if you like to try it).
5.13 Files 115 B4X Basic language
Starting from Android 4.4 it is no longer possible to directly access external storages.
The only way to access these storages is through the Storage Access Framework (SAF), which is a
quite complex and under-documented framework.
Usage:
1. Call ExternalStorage.SelectDir. This will open a dialog that will allow the user to select the root
folder. Once selected the uri of the root folder is stored and can be later used without requiring the
user to select the folder again. Even after the device is booted.
File.DirLibrary
The place for any non-user generated persistent files. This folder is backed up by iTunes
automatically.
You can create a subfolder named Caches. Files under that folder will not be backed up.
File.DirTemp
A temporary folder. Files in this folder are not backed up by iTunes and may be deleted from time
to time.
File.DirData
Returns the path to a folder that is suitable for writing files.
On Windows, folders under Program Files are read-only. Therefore File.DirApp will be read-only
as well.
This method returns the same path as File.DirApp on non-Windows computers.
On Windows it returns the path to the user data folder. For example:
C:\Users\[user name]\AppData\Roaming\[AppName]
File.DirTemp
Returns the temporary folder.
5.13 Files 117 B4X Basic language
The File object includes several methods for writing to files and reading from files.
To be able to write to a file or to read from a file, it must be opened.
5.13.2 Filenames
Example : MyFile.txt
5.13.3 Subfolders
To access the subfolder you should add the subfoldername to the foldername with "/" inbetween.
ImageView1.Bitmap = LoadBitmap(File.DirInternal & "/Pictures", "test1.png")
There are two other useful functions for text files: TextWriter and TextReader:
Example:
Private Writer As TextWriter
Writer.Initialize(File.OpenOutput(File.DirInternal, "Test.txt" , False))
Example:
Private Writer As TextWriter
Writer.Initialize2(File.OpenOutput(File.DirInternal,"Test.txt" ,False)," ISO-8859-1")
TextWriter.Close
- Closes the stream.
Example:
There are two other useful functions for text files: TextWriter and TextReader:
Example:
Private Reader TextReader
Reader.Initialize(File.OpenInput(File.DirInternal, "Test.txt"))
Example:
Private Reader TextReader
Reader.Initialize2(File.OpenInput(File.DirInternal, "Test.txt", "ISO-8859-1")
TextReader.ReadAll As String
- Reads all of the remaining text and closes the stream.
Example:
txt = Reader.ReadAll
TextReader.ReadLine As String
- Reads the next line from the stream.
The new line characters are not returned.
Returns Null if there are no more characters to read.
Example:
TextReader.ReadList As List
- Reads the remaining text and returns a List object filled with the lines.
Closes the stream when done.
Example:
List1 = Reader.ReadList
5.13 Files 122 B4X Basic language
Text encoding or character encoding consists of a code that pairs each character from a given
repertoire with something else. Other terms like character set (charset), and sometimes character
map or code page are used almost interchangeably (source Wikipedia).
In Windows the most common character sets are ASCII and ANSI.
• ASCII includes definitions for 128 characters, 33 are non-printing control characters (now
mostly obsolete) that affect how text and space is processed.
• ANSI, Windows-1252 or CP-1252 is a character encoding of the Latin alphabet, used by
default in the legacy components of Microsoft Windows in English and some other Western
languages with 256 definitions (one byte). The first 128 characters are the same as in the
ASCII encoding.
Many files generated by Windows programs are encoded with the ANSI character-set in western
countries. For example: Excel csv files, Notepad files by default.
But with Notepad, files can be saved with UTF-8 encoding.
To read Windows files encoded with ANSI you should use the Windows-1252 character-set.
If you need to write files for use with Windows you should also use the Windows-1252 character-
set.
Another difference between Windows and B4X is the end of line character:
• B4X, only the LF (Line Feed) character Chr(10) is added at the end of a line.
• Windows, two characters CR (Carriage Return Chr(13)) and LF Chr(10) are added at the
end of a line. If you need to write files for Windows you must add CR yourself.
To read or write files with a different encoding you must use the TextReader or TextWriter objects
with the Initialize2 methods. Even for reading csv files.
5.13 Files 123 B4X Basic language
Or
• Read the whole file with TextReader.Initialize2 and "Windows-1252" encoding.
• Save it back with TextWriter.Initialize with the standard Android encoding.
• Read the file with LoadCSV or LoadCSV2 from the StringUtils library.
Private tw As TextWriter
tw.Initialize(File.OpenOutput(File.DirInternal, "TestCSV1_W.csv", False))
tw.Write(txt)
tw.Close
When you save a file with NotePad three additional bytes are added .
These bytes are called BOM characters (Byte Order Mark).
In UTF-8 they are represented by this byte sequence : 0xEF,0xBB,0xBF.
A text editor or web browser interpreting the text as Windows-1252 will display the characters
.
To avoid this you can use Notepad++ instead of NotePad and use Encode in UTF-8 without BOM.
Another possibility to change a text from Windows-1252 to UTF-8 is to use the code below.
• Initialize2 (SomeArray)
Initializes a list with the given values. This method should be used to convert arrays to lists.
Note that if you pass a list to this method then both objects will share the same list, and if
you pass an array the list will be of a fixed size.
Meaning that you cannot later add or remove items.
Example 1:
Private List1 As List
List1.Initialize2(Array As Int(1, 2, 3, 4, 5))
Example 2:
Private List1 As List
Private SomeArray(10) As String
' Fill the array
List1.Initialize2(SomeArray)
You can add and remove items from a list and it will change its size accordingly.
With either:
• Add (item As Object)
Adds a value at the end of the list.
List1.Add(Value)
A list can hold any type of object. However if a list is declared as a process global object it cannot
hold activity objects (like views).
B4X automatically converts regular arrays to lists. So when a List parameter is expected you can
pass an array instead.
Use the Get method to get an item from the list with (List indexes are 0 based):
To get the first item use Get(0).
To get the last item use Get(List1.Size - 1).
• Get(Index As Int)
number = List1.Get(i)
You can use a For loop to iterate over all the values:
For i = 0 To List1.Size - 1
Private number As Int
number = List1.Get(i)
...
Next
A List can be sorted (the items must all be numbers or strings) with :
• Sort(Ascending As Boolean)
List1.Sort(True) sort ascending
List1.Sort(False) sort descending
• SortCaseInsensitive(Ascending As Boolean)
The keys are unique. Which means that if you add a key/value pair (entry) and the collection
already holds an entry with the same key, the previous entry will be removed from the map.
The key should be a string or a number. The value can be any type of object.
Similar to a list, a map can hold any object, however if it is a process global variable then it cannot
hold activity objects (like views).
Get an entry :
• Get(Key As Object)
Language = Map1.Get("Language")
Check if a Map contains an entry, tests whether there is an entry with the given key :
• ContainsKey(Key As Object)
If Map1.ContainsKey("Language") Then
Msgbox("There is already an entry with this key !", "ATTENTION")
Return
End If
5.15 Maps B4A, B4i and B4J only 127 B4X Basic language
Remove an entry :
• Remove(Key As Object)
Map1.Remove("Language")
In object-oriented programming, a class is a construct that is used to create instances of itself – referred to
as class instances, class objects, instance objects or simply objects. A class defines constituent members
which enable its instances to have state and behaviour. Data field members (member variables or instance
variables) enable a class instance to maintain state. Other kinds of members, especially methods, enable the
behaviour of a class instances. Classes define the type of their instances.
A class usually represents a noun, such as a person, place or thing, or something nominalized. For example,
a "Banana" class would represent the properties and functionality of bananas in general. A single, particular
banana would be an instance of the "Banana" class, an object of the type "Banana".
5.16 Class modules 129 B4X Basic language
Let us start with an example, the source code: SourceCode\Person in the / Person folder.
Main module.
I will start by explaining the differences between classes, code modules and types.
Similar to types, classes are templates. From this template, you can instantiate any number of
objects.
The type fields are similar to the classes global variables. However, unlike types which only define
the data structure, classes also define the behaviour. The behaviour is defined in the classes’ subs.
Unlike classes which are a template for objects, code modules are collections of subs. Another
important difference between code modules and classes is that code modules always run in the
context of the calling sub. The code module doesn't hold a reference to any context. For that reason,
it is impossible to handle events or use CallSub with code modules.
Classes store a reference to the context of the module that called the Initialize sub. This means that
classes objects share the same life cycle as the module that initialized them.
5.16 Class modules 130 B4X Basic language
Adding a new or existing class module is done by choosing Project > Add New Module > Class
module or Add Existing module.
Like other modules, classes are saved as files with bas extension.
The CustomView (XUI) is shown only when the XUI library is selected!
If you use the B4XPages template you can select B4XPage to create a B4XPage class.
5.16 Class modules 131 B4X Basic language
5.16.1.2 Polymorphism
Polymorphism allows you to treat different types of objects that adhere to the same interface in the
same way.
B4X polymorphism is similar to the Duck typing concept.
'Initializes the object. You can add parameters to this method if needed.
Sub Initialize (Shapes As List, x As Int, y As Int, length As Int)
mx = x
my = y
mLength = length
Shapes.Add(Me)
End Sub
'Initializes the object. You can add parameters to this method if needed.
Sub Initialize (Shapes As List, x As Int, y As Int, radius As Int)
mx = x
my = y
mRadius = radius
Shapes.Add(Me)
End Sub
In the main module, we create a list Shapes with Squares and Circles. We then go over the list and
draw all the objects:
Sub Process_Globals
Public Shapes As List
End Sub
Sub Globals
Private cvs As Canvas
End Sub
DrawAllShapes
End Sub
Sub DrawAllShapes
For i = 0 To Shapes.Size - 1
CallSub2(Shapes.Get(i), "Draw", cvs)
Next
Activity.Invalidate
End Sub
As you can see, we do not know the specific type of each object in the list. We just assume that it
has a Draw method that expects a single Canvas argument. Later we can easily add more types of
shapes.
You can use the SubExists keyword to check whether an object includes a specific sub.
You can also use the Is keyword to check if an object is of a specific type.
5.16 Class modules 133 B4X Basic language
5.16.1.3 Self-reference
The Me keyword returns a reference to the current object. Me keyword can only be used inside a
class module.
Consider the above example. We have passed the Shapes list to the Initialize sub and then add each
object to the list from the Initialize sub:
Android UI elements hold a reference to the parent activity. As the OS is allowed to kill background
activities in order to free memory, UI elements cannot be declared as process global variables (these
variables live as long as the process lives). Such elements are named Activity objects. The same is
true for custom classes. If one or more of the class global variables is of a UI type (or any activity
object type) then the class will be treated as an "activity object". The meaning is that instances of
this class cannot be declared as process global variables.
5.16 Class modules 134 B4X Basic language
5.16.2.1 Structure
Sub Class_Globals
End Sub
'Initializes the object. You can add parameters to this method if needed.
Public Sub Initialize
End Sub
B4J
Sub Class_Globals
Private fx As JFX
End Sub
'Initializes the object. You can add parameters to this method if needed.
Public Sub Initialize
End Sub
Sub Class_Globals - This sub is similar to the Main Globals sub. These variables will be the class
global variables (sometimes referred to instance variables or instance members).
In B4J, the fx library library is declared by default. You can remove it if not needed.
Sub Initialize - A class object must be initialized before you can call any other sub. Initializing
an object is done by calling the Initialize sub. When you call Initialize you set the object's context
(the parent object or service).
Note that you can modify this sub signature and add arguments as needed.
5.16 Class modules 135 B4X Basic language
The code is the same for all three B4X platforms (B4A. B4i, B4J).
In the above code, we created a class named Person and later instantiate an object of this type in the
main module:
Private p As Person
p.Initialize("John", "Doe", DateTime.DateParse("05/12/1970"))
Log(p.GetCurrentAge)
Calling initialize is not required if the object itself was already initialized:
Private p2 As Person
p2 = p 'both variables now point to the same Person object.
Log(p2.GetCurrentAge)
6 "Code smells" code to be avoided 136 B4X Basic language
'bad
Dim List1 As List
List1.Initialize '<-- a new list was created here
List1 = SomeOtherList '<--- previous list was replaced
'good
Dim List1 As List = SomeOtherList
Deprecated methods - Map.GetKeyAt / GetValueAt - these methods were added before the For
Each loop was available. They are not cross platform and are not the correct way to work with
maps.
'bad
For i = 0 To Map1.Size - 1
Dim key As String = Map1.GetKeyAt(i)
Dim value As String = Map1.GetValueAt(i)
Next
'good
For Each key As String In Map1.Keys
Dim value As String = Map1.Get(key)
Next
6 "Code smells" code to be avoided 137 B4X Basic language
'very bad
SQL.ExecNonQuery("INSERT INTO table1 VALUES ('" & EditText1.Text & "'") 'ugly, will
break if there is an apostrophe in the text and vulnerable to SQL injections.
'very good
SQL.ExecNonQuery2("INSERT INTO table1 VALUES (?)", Array(EditText1.Text))
'good
Dim rs As ResultSet = SQL.ExecQuery2(...)
Do While rs.NextRow
...
Loop
rs.Close
Building the complete layout programmatically. This is especially a mistake in B4J and B4i because
of the resize event and also if you want to build a cross platform solution. Layouts can be ported
very easily.
6 "Code smells" code to be avoided 138 B4X Basic language
There are many patterns to this one and all of them are bad.
'bad
If b = False Then
Button1.Text = "disabled"
Button2.Text = "disabled"
Button3.Text = "disabled"
Button1.Enabled = False
Button2.Enabled = False
Button3.Enabled = False
Else
Button1.Text = "enabled"
Button2.Text = "enabled"
Button3.Text = "enabled"
Button1.Enabled = True
Button2.Enabled = True
Button3.Enabled = True
End If
'good
For Each btn As Button In Array(Button1, Button2, Button3)
btn.Enabled = b
If b Then btn.Text = "enabled" Else btn.Text = "disable"
Next
'bad
Dim s As String = "This is the " & QUOTE & "first" & QUOTE & "line" & CRLF & _
"and this is the second one. The time is " & DateTime.Time(DateTime.Now) & "."
'good
Dim s As String = $"This is the "first" line
and this is the second one. The time is $Time{DateTime.Now}."$
'bad
Job.Initialize(Me, "") 'global variable
...
'good
Dim job As HttpJob
job.Initialize(Me, "")
Not using Wait For when possible. JobDone is a good example: [B4X] OkHttpUtils2 with Wait For
6 "Code smells" code to be avoided 139 B4X Basic language
Code modules are very limited in B4A. In most cases you should use classes instead of code
modules. A code module is a single instance of a class.
'not elegant
Dim result As Boolean = DoingSomethingThatReturnTrueOrFalse
If result = True Then
Return True
Else
Return False
End If
' elegant
Return DoingSomethingThatReturnTrueOrFalse
The only valid raw bytes that should be converted to a string, with BytesToString, are bytes that
represent text. In all other cases it is a mistake to convert to string. Even if it seems to work it will
later fail in other cases.
If you think that it is more complicated to work with raw bytes then you are not familiar with the
useful B4XBytesBuilder object: https://www.b4x.com/android/forum/threads/b4x-b4xcollections-
more-collections.101071/#content
7 Tips 140 B4X Basic language
7 Tips
These are Erels’ tips for B4X developers ([B4X] Tips for B4X developers).
Putting the data directly into the code makes your program unreadable and less maintainable.
There are many simple ways to deal with data. For example you can add a text file to the Files tab
and read it to a List with:
If you find yourself copying and pasting the same code snippet multiple times and then making a
small change then it is a good idea to stop and try to find a more elegant solution.
Repeated code is difficult to maintain and update. The Sender keyword can help in many cases (old
and still relevant tutorial: Tick-Tack-Toe: working with arrays of views).
All developers should know how to use a Map collection. This is by far the most useful collection.
Tutorial: https://www.b4x.com/android/forum/threads/map-collection-the-most-useful-
collection.60304/
Don't be afraid to learn new things. As developers we always need to learn new things. Everything
is evolving whether we want it or not. I will give MQTT as a good example. I wasn't familiar with
this technology. When I started learning about it I was a amazed to see how easy and powerful this
solution is.
B4X specific features that all developers should be aware of:
- Smart strings literal: https://www.b4x.com/android/forum/threads/50135/#content
- For Each iterator: https://www.b4x.com/android/forum/threads/loops.57877/
- Classes: https://www.b4x.com/android/forum/threads/18626/#content
7.5 Logs
You should monitor the logs while your app is running. Especially if there is any error. If you are
unable to see the logs for some reason then take the time to solve it. Specifically with B4A-Bridge
the logs will only appear in Debug mode. If you encounter an issue that only happens in release
mode then you need to switch to usb debug mode.
7 Tips 141 B4X Basic language
DoEvents interferes with the internal message queue. It can cause unexpected issues. There are very
few cases where it is required. This was not the case when B4A v1.0 was released. Since then the
libraries have evolved and now offer better solutions. For example if the database operations are too
slow (and you are correctly using transactions) then you should switch to the asynchronous
methods. Or you should use Sleep or Wait For.
Don't try to store raw bytes as strings. It doesn't work. Use arrays of bytes instead. The proper way
to convert bytes to strings is with base 64 encoding or ByteConverter.HexFromBytes.
Services are simpler than Activities. They are not paused and are almost always accessible.
Three general rules about global variables:
1. All non-UI related variables should be declared in Process_Globals.
2. Public (process_global) variables should be declared and set / initialized in Service_Create of the
Starter service.
3. Activity process globals should only be initialized if FirstTime is true.
This is only relevant to B4A. It is simpler in B4J and B4i as there is no special life cycle and the
modules are never paused.
7.9 UI Layouts
B4X provides several tools to help you implement flexible layouts that adapt to all screen sizes. The
main tools are: anchors and designer script. Avoid adding multiple variants (two are fine). Variants
were introduced in v1.00, before the other features. Variants are difficult to maintain and can be
replaced with scripts.
Anchors are very simple and powerful.
Don't overuse percentage units (unless you are building a game).
http://www.basic4ppc.com/forum/basi...ing-multiple-screens-tips-best-practices.html
B4A, B4i, B4J share the same language, same concepts and mostly the same APIs. It is also simple
to exchange data between the different platforms with B4XSerializator.
It is easy to implement powerful server solutions with B4J. Especially when the clients are
implemented with B4A, B4i or B4J.
7 Tips 142 B4X Basic language
7.11 Search.
Use the forum search feature. You can filter results by adding the platform(b4a for example) to the
query or by clicking on one of the filters in the results page.
Most of the questions asked in the forum can be solved with a few searches.
7.12 Notepad++.
At one point or another we need to work with text files. I highly recommend all developers to use a
good text editor that shows the encoding, the end of line characters and other important features.
https://notepad-plus-plus.org/
7.12.1 Encoding
To show the current encoding of a text file, you can load it and then chlick in the menu on
Encoding. The current encoding is checked.
You can select another encoding and save the file.
7 Tips 143 B4X Basic language
This can be useful when you have csv files generated with Excel, which are encoded with ANSI
encoding, but, B4X uses UTF-8 encoding.
Original file:
Change the encoding and save the file with another file name.
When you reload this file and check the encoding, you will see this: