KEMBAR78
Short Note | PDF | Database Index | Scope (Computer Science)
0% found this document useful (0 votes)
204 views90 pages

Short Note

The document discusses procedure blocks and data access in ABL. It covers: - Procedure block scoping rules for variables defined within internal procedures - Language statements that define blocks, including DO, FOR, and REPEAT blocks - Using DO blocks to group statements without additional behavior - FOR blocks automatically looping through record sets, scoping records and frames - Alternatives to EACH like FIRST and LAST for single record retrieval - Using indexes, the USE-INDEX phrase, and LEAVE statement to control record retrieval order - Statements like NEXT, STOP, and QUIT to change block behavior

Uploaded by

kolitha
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
204 views90 pages

Short Note

The document discusses procedure blocks and data access in ABL. It covers: - Procedure block scoping rules for variables defined within internal procedures - Language statements that define blocks, including DO, FOR, and REPEAT blocks - Using DO blocks to group statements without additional behavior - FOR blocks automatically looping through record sets, scoping records and frames - Alternatives to EACH like FIRST and LAST for single record retrieval - Using indexes, the USE-INDEX phrase, and LEAVE statement to control record retrieval order - Statements like NEXT, STOP, and QUIT to change block behavior

Uploaded by

kolitha
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
You are on page 1/ 90

Procedure Blocks and Data Access:

Procedure block scoping: If you define variables or other objects within an internal procedure, then they are scoped to that internal procedure only and are not available elsewhere in the external procedure that contains it. You can use the same variable name both in an internal procedure and in its containing external procedure. Youll get a second variable with the same name but a distinct storage location in memory and therefore its own distinct value.

Language statements that define blocks: DO blocks:


The keyword DO starts a block of statements without doing anything else with those statements except grouping them, unless you tell it to

Test:
DO: GET NEXT CustQuery. IF AVAILABLE Customer THEN DISPLAY Customer.CustNum Customer.Name Customer. Address Customer. City Customer.State WITH FRAME B. END

Test:
DO: GET NEXT CustQuery. IF AVAILABLE Customer THEN DO: DISPLAY Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State WITH FRAME CustQuery IN WINDOW CustWin. {&OPEN-BROWSERS-IN-QUERY-CustQuery} END. /* END DO IF AVAILABLE Customer */ END.

Test:
DEFINE VARIABLE iCount AS INTEGER NO-UNDO. DEFINE VARIABLE iTotal AS INTEGER NO-UNDO. DO iCount = 1 TO 5: iTotal = iTotal + iCount. END. DISPLAY iTotal. Test: DEFINE VARIABLE iTotal AS INTEGER NO-UNDO INIT 1. DO WHILE iTotal < 50: iTotal = iTotal * 2. END. DISPLAY iTotal.

you can scope all the statements in a DO block with a frame by appending the WITH FRAME phrase to the DO statement itself

DO: GET NEXT CustQuery. IF AVAILABLE Customer THEN DO WITH FRAME CustQuery: DISPLAY Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State. {&OPEN-BROWSERS-IN-QUERY-CustQuery} END. END.

FOR blocks:
every FOR block provides all of the following services for you automatically: Loops automatically through all the records that satisfy the record set definition in the block Reads the next record from the result set for you as it iterates Scopes those records to the block Scopes a frame to the block, and you can use the WITH FRAME phrase to specify that frame Provides database update services within a transaction
FOR EACH Customer WHERE State = "NH": DISPLAY CustNum Name. END.

Sorting records by using the BY phrase:

As youve seen, you can sort the records by using the BY phrase. The default is ascending order,

but you cannot use the keyword ASCENDING to indicate this. Youll get a syntax error, so just leave it out to get ascending order. To sort in descending order, add the keyword DESCENDING to the phrase:

BY

Joining tables using multiple FOR phrases:


FOR EACH Customer WHERE State = "NH",EACH Order OF Customer WHERE ShipDate NE ? : DISPLAY Customer.Custnum Name OrderNum ShipDate. END.

The AVM retrieves and joins the tables in the order you specify them in, in effect following your instructions from left to right. In this example, it starts through the set of all Customers where the State field = NH. For the first record, it defines a set of Orders with the same CustNum value . Because there are typically multiple Orders for a Customer, the result is a one-to-many join, where the same Customer remains current for multiple iterations through the block, one for each of its Orders.

The default join you get is called an inner join. In matching up Customers to their Orders, the AVM skips any Customer that has no Orders with a ShipDate because there is no matching pair of records. The alternative to this type of join, called an outer join, doesnt skip those Customers with no Orders but instead supplies unknown values from a dummy Order when no Order satisfies the criteria. ABL has an OUTER-JOIN keyword, but you can use it only when you define queries of the kind youve seen in DEFINE QUERY statements, not in a FOR EACH block. To get the same effect using FOR EACH blocks, you can nest multiple blocks, one to retrieve and display the Customer and another to retrieve and display its Orders.

You can add a WHERE clause and/or a BY clause to each record phrase if you wish. You should always move each WHERE clause up as close to the front of the statement as possible to minimize the number of records retrieved. For example, the statement FOR EACH Customer, EACH Order OF Customer WHERE State = "NH" AND ShipDate NE ? would yield the same result but retrieve many more records in the process. It would go through the set of all Customers, retrieve each Order for each Customer, and then determine whether the State was NH and the ShipDate was not unknown. This code is very inefficient.
The way ABL handles data retrieval is different from SQL, where the table selection is done at the beginning of a SELECT statement and the WHERE clause is after the list of tables. The SQL form depends on the presence of an optimizer that turns the statement into the most efficient retrieval possible. The advantage of ABL form is that you have greater control over exactly how the data is retrieved. But with this control comes the responsibility to construct your FOR statements intelligently.

Alternatives to the EACH keyword: Sometimes you just want a single record from a table. In that case, you can use the FIRST or LAST keyword in place of EACH , or possibly use no qualifier at all. For example, if you want to retrieve Orders and their Customers instead of the other way around, you can leave out the keyword EACH in the Customer phrase, because each Order has only one Customer:
FOR EACH Order WHERE ShipDate NE ?, Customer OF Order: DISPLAY OrderNum ShipDate Name. END.

When you use this form, make sure that there is never more than one record satisfying the join. Otherwise, you get a run-time error telling you that there is no unique match.

If youd like to see just the first Order for each Customer in New Hampshire, you can use the FIRST qualifier to accomplish that:

FOR EACH Customer WHERE State = "NH", FIRST Order OF Customer: DISPLAY Customer.CustNum NAME OrderNum OrderDate. END.

Using indexes to relate and sort data: Be careful, though. This form might not always yield the result you expect, because you have to consider just what is the first Order of a Customer? The AVM uses an index of the Order table to traverse the rows. Adding a BY phrase to the statement doesnt help because the AVM retrieves the records before applying the sort. So if you want the Order with the earliest Order date, it wont work to do this:
FOR EACH Customer WHERE State = "NH", FIRST Order OF Customer BY OrderDate: DISPLAY Customer.CustNum NAME OrderNum OrderDate. END.

Using the USE-INDEX phrase to force a retrieval order:

ABL does this by adding a USE- INDEX phrase to the record phrase. This form of the FOR EACH statement is guaranteed to return the earliest OrderDate, even if its not the lowest OrderNum:

FOR EACH Customer WHERE State = "NH", FIRST Order OF Customer USE-INDEX OrderDate: DISPLAY Customer.CustNum NAME OrderNum OrderDate. END.

Using the LEAVE statement to leave a block: Use the USE- INDEX phrase only when necessary. The AVM is extremely effective at choosing the right index, or combination of multiple indexes, to optimize your data retrieval. In fact, theres an alternative even in the present example that yields the same result without requiring you to know the names and fields in the Order tables indexes. Take a look at this procedure:
FOR EACH Customer WHERE State = "NH" WITH FRAME f: DISPLAY Customer.CustNum Name. FOR EACH Order OF Customer BY OrderDate: DISPLAY OrderNum OrderDate WITH FRAME f. LEAVE. END. /* END FOR EACH Order */ END. /* END FOR EACH Customer */

This code uses nested blocks to retrieve the Customers and Orders separately. These nested blocks allow you to sort the Orders for a single Customer BY OrderDate. You have to define the set of all the Customers Orders using the FOR EACH phrase so that the BY phrase has the effect of sorting them by OrderDate. But you really only want to see the first one. To do this, you use another one-word ABL statement: LEAVE .

it to

Because the LEAVE statement looks for an iterating block to leave, it always leaves a FOR block. It leaves a DO block only if the DO statement has a qualifier, such as WHILE, that causes iterate. If there is no iterating block, the AVM leaves the entire procedure.

Using block headers to identify blocks:


FOR EACH Customer WHERE State = "NH" WITH FRAME f: DISPLAY Customer.CustNum NAME. OrderBlock: FOR EACH Order OF Customer BY OrderDate: DISPLAY OrderNum OrderDate WITH FRAME f. LEAVE OrderBlock. END. /* END FOR EACH Order */ END. /* END FOR EACH Customer */

Using NEXT, STOP, and QUIT to change block behavior: NEXT. As you might expect, this statement skips any remaining statements in the block and proceeds to the next iteration of the block. You can qualify it with a block name the same way you do with LEAVE.

by

terminates the current procedure, backs out any active transactions, and returns to the OpenEdge sessions startup procedure or to the Editor. You can intercept a STOP action
STOP

including the ON STOP phrase on a block header

and

exits from OpenEdge altogether in a run-time environment and returns to the operating system. If youre running in a development environment, it has a similar effect to STOP
QUIT

returns to the Editor or to the Desktop. There is also an ON QUIT phrase. Qualifying a FOR statement with a frame reference:
FOR EACH Customer WHERE State = "NH"WITH FRAME f: DISPLAY Customer.CustNum Name. FOR EACH Order OF Customer BY OrderDate: DISPLAY OrderNum OrderDateWITH FRAME f. LEAVE. END. /* END FOR EACH Order */ END. /* END FOR EACH Customer */

REPEAT blocks: It supports just about all the same syntax as a FOR block. You can add a FOR clause for one or more tables to it. You can use a WHILE phrase or the expression TO expression phrase. You can scope a frame to it.
It It It It A block that begins with the REPEAT keyword shares these default characteristics with a FOR block: is an iterating block. scopes a frame to the block. scopes records referenced in the REPEAT statement to the block. provides transaction processing if you update records within the block. By contrast, it shares this important property with a DO block: it does not automatically read records as it iterates So what is a REPEAT block for? It is useful in cases where you need to process a set of records within a block but you need to navigate through the records yourself, rather than proceeding to the next record automatically on each iteration
REPEAT: INSERT customer EXCEPT comments WITH 2 COLUMNS. END.

simply

Using the PRESELECT keyword to get data in advance: One typical use of the REPEAT block that is still valuable is when you use it with a construct called a PRESELECT As long as its possible to identify what the first and the next records are by using one or more indexes, The AVM doesnt bother reading all the records in advance. It just goes out and gets them when the block needs them. The PRESELECT keyword gives you this. It tells the AVM to build up a list of pointers to all the records that satisfy the selection criteria before it iterating through the block. This assures you that each record is accessed only once. a
REPEAT

starts

block does everything a FOR block does, but it does not automatically

advance to the next record as it iterates. You should use a REPEAT block in cases where you want to control the record navigation yourself

Data access without loopingthe FIND statement:


ABL has a very powerful way to retrieve single records without needing a query or result set definition of any kind. This is the FIND statement.

FIND [ FIRST | NEXT| PREV

LAST

record

WHERE . . .]

USE-INDEX index-name

FIND FIRST Customer FIND FIRST Customer WHERE State = NH.

the FIND statement uses the primary index. You can use the USE- INDEX syntax to force the AVM to use a particular index.

If you include a WHERE clause, the AVM chooses one or more indexes to optimize locating the record. This might have very counter-intuitive results. For example, heres a simple procedure with a FIND statement:The AVM uses an index in the Country field to locate the first Customer in the USA, because thats the most efficient way to find it. That index, called the CountryPost index, has the PostalCode as its secondary field
FIND FIRST Customer. DISPLAY CustNum Name Country. FIND FIRST Customer WHERE Country = "USA". DISPLAY CustNum Name Country.

These examples show that you must be careful when using any of the positional keywords (FIRST, NEXT, PREV, and LAST) in a FIND statement to make sure you know how the table is navigated.

Index cursors: the AVM keeps track of the current record position using an index cursora pointer to the record, using the location in the database indexes of the key value used for retrieval.

When you execute another FIND statement on the same table using one of the directional

keywords, the AVM can go off in any direction from the current index cursor location, depending on the nature of the statement. By default, it reverts to the primary index

FIND FIRST Customer WHERE Country = "USA". DISPLAY CustNum NAME Country. REPEAT: FIND NEXT Customer NO-ERROR. IF AVAILABLE Customer THEN DISPLAY CustNum Name FORMAT "x(20)" Country PostalCode. ELSE LEAVE. END.

Using the FIND statement in a REPEAT block: you need to program the block with these three actions:

1. You must do the FIND with the NO-ERROR qualifier at the end of the statement. 2. You must use the AVAILABLE keyword to check for the presence of a Customer and display fields only if it evaluates to true. 3. You must write an ELSE statement to match the IF - THENstatement, to leave the block when there is no Customer available. Otherwise, your block goes into an infinite loop FIND FIRST Customer WHERE Country = "USA". DISPLAY CustNum NAME Country. REPEAT: FIND NEXT Customer NO-ERROR. IF AVAILABLE Customer THEN DISPLAY CustNum Name FORMAT "x(20)" Country PostalCode. ELSE LEAVE. END.

you get one frame for the FIRST Customer and a new frame for all the Customer records retrieved within the REPEAT block.

Switching indexes between FIND statements:

its clear that Progress is using the primary index (the CustNum index) to navigate through the records. This is unaffected by the fact that the initial FIND was done using the CountryPost index, because of its WHERE clause. What if you want to continue retrieving only Customers in the USA? In this case, you need to repeat the WHERE clause in the FIND statement in the REPEAT block

FIND FIRST Customer WHERE Country = "USA". DISPLAY CustNum NAME Country. REPEAT: FIND NEXT Customer WHERE Country = "USA" NO-ERROR. IF AVAILABLE Customer THEN

DISPLAY CustNum NAME FORMAT "x(20)" Country PostalCode. ELSE LEAVE. END.

Each FIND statement is independent of any other FIND statement, even if it refers to the same table, so the WHERE clause does not carry over automatically. If you do this, then Progress continues to use the CountryPost index for the retrieval. Using a USE-INDEX phrase to force index selection: FIND FIRST Customer WHERE Country = "USA". DISPLAY CustNum NAME Country. REPEAT: FIND NEXT Customer WHERE Country = "USA" USE-INDEX NAME NO-ERROR. IF AVAILABLE Customer THEN DISPLAY CustNum NAME FORMAT "x(20)" Country PostalCode. ELSE LEAVE. END. This technique can be very valuable in expressing your business logic in your procedures. You might need to identify a record based on one characteristic and then retrieve all other records (or perhaps just one additional record) based on some other characteristic of the record you first retrieved. This is one of the most powerful ways in which Progress lets you define your business logic without the overhead and cumbersome syntax required to deal with all data access in terms of sets. Doing a unique FIND to retrieve a single record: Very often you just need to retrieve a single record using selection criteria that identify it uniquely. In this case, you can use a FIND statement with no directional qualifier FIND Customer WHERE CustNum = 1025. DISPLAY CustNum NAME Country. Theres also a shorthand for this FIND statement: FIND Customer 1025.

You can use this shorthand form if the primary index is a unique index (with no duplication of values), the primary index contains just a single field, and you want to retrieve a record using just that field. You can only use this form when all these conditions are true
It can break due to changes to the data definitions (for example, if someone went in and added another field to the CustNum index), so its better to be more specific and use a WHERE clause to identify the record

Using the CAN-FIND function:

Often you need to verify the existence of a record without retrieving it for display or update. For example, your logic might need to identify each Customer that has at least one Order, but you might not care about retrieving any actual Orders. To do this, you can use an alternative to the FIND statement that is more efficient because it only checks index entries wherever possible to determine whether a record exists, without going to the extra work of retrieving the record itself. This alternative is the CAN-FIND built-in function.

The CAN-FIND function returns true or false depending on whether the record selection phrase identifies exactly one record in the database.

The CAN-FIND function takes the argument FIRST Order OF Customer WHERE OrderData < 1/1/98 . Why is the FIRST keyword necessary? The CAN-FIND function returns true only if exactly one record satisfies the selection criteria. If theres more than one match, then it returns falsewithout errorjust as it would if there was no match at all FOR EACH Customer WHERE Country = "USA": IF CAN-FIND (FIRST Order OF Customer WHERE OrderDate < 1/1/98) THEN DISPLAY CustNum Name. ELSE DISPLAY CustNum "No 1997 Orders" @ Name. END.

if you remove the FIRST keyword from the example procedure and change the literal text to be No unique 1997 Order, and rerun it, then you see that most Customers have more than one Order placed in 1997 FOR EACH Customer WHERE Country = "USA": IF CAN-FIND (Order OF Customer WHERE OrderDate < 1/1/98) THEN DISPLAY CustNum Name. ELSE DISPLAY CustNum "No unique 1997 Order" @ Name. END. Because you dont get an error if theres more than one match, its especially important to remember to define your selection criteria so that they identify exactly one record when you want the function to return true.

The CAN-FIND function is more efficient than the FIND statement because it does not actually retrieve the database record If the selection criteria can be satisfied just by looking at values in an index, then it doesnt look at the field values in the database at all because the Order record is not available following the CAN-FIND reference to it.

FOR EACH Customer WHERE Country = "USA": IF CAN-FIND (FIRST Order OF Customer WHERE OrderDate < 1/1/98) THEN DISPLAY CustNum Name OrderDate. ELSE DISPLAY CustNum "No 1997 Orders" @ Name END.

If you need the Order record itself then you must use a form that returns it to you:

FOR EACH Customer WHERE Country = "USA": FIND FIRST Order OF Customer WHERE OrderDate < 1/1/98 NO-ERROR. IF AVAILABLE Order THEN DISPLAY Customer.CustNum NAME OrderDate. ELSE DISPLAY "No 1997 Orders" @ NAME. END.

You can also use it anywhere where a logical (true/false) expression is valid in a WHERE clause, such as this:

FOR EACH Customer WHERE Country = "USA" AND CAN-FIND (FIRST Order OF Customer WHERE OrderDate < 1/1/98): DISPLAY Customer.CustNum NAME. END.

Record Buffers and Record Scope:


Record buffers:

Progress defines a record buffer for your procedure for each table you reference in a FIND statement, a FOR EACH block, a REPEAT FOR block, or a DO FOR block. by default, has the same name as the database table. This is why, when you use these default record buffers, you can think in terms of accessing database records directly because the name of the buffer is the name of the table the record comes from. Think of the record buffer as a temporary storage area in memory where Progress manages records as they pass between the database and the statements in your procedures. DEFINE BUFFER <buffer-name> FOR <table-name>.

There are many places in complex business logic where you need to have two or more different records from the same table available to your code at the same time, for comparison purposes. In the following procedure, which could be used as part of a cleanup effort for the Customer table, you need to see if there are any pairs of Customers in the same city in the US with zip codes that dont match

DEFINE BUFFER Customer FOR Customer. DEFINE BUFFER OtherCust FOR Customer. FOR EACH Customer WHERE Country = "USA": FIND FIRST OtherCust WHERE Customer.State = OtherCust.State AND Customer.City = OtherCust.City AND SUBSTR (Customer.PostalCode, 1,3) NE SUBSTR (OtherCust.PostalCode, 1,3) AND Customer.CustNum < OtherCust.CustNum NO-ERROR. IF AVAILABLE OtherCust THEN DISPLAY Customer.CustNum Customer.City FORMAT "x(12)" Customer.State FORMAT "xx" Customer.PostalCode OtherCust.CustNum OtherCust.PostalCode.

END.

Because you need to compare one Customer with the other, you cant simply refer to both of them using the name Customer. This is the purpose of the second buffer definition. Because the code is dealing with two different buffers that contain all the same field names, you need to qualify every single field reference to identify which of the two records youre referring to.
FOR EACH Customer WHERE Country = "USA": FIND FIRST OtherCust WHERE Customer.State = OtherCust.State AND Customer.City =OtherCust.City Record scope:

Record scope determines when Progress clears the record from the buffer, when
it writes the record to the database, and how long a record lock is in effect

Generally, the scope of a record is the smallest enclosing block that encompasses all

references to the record. That is, the record is active until the block ends. However, there are exceptions to this rule depending on whether the record is weak scoped, strong scoped, or introduced by a free reference

The exceptions are as follows:

A strong-scoped reference:

If you reference a buffer in the header of a REPEAT FOR or DO FOR block, this is called a strong-scoped reference. Any reference to the buffer within the block is a strong-scoped reference. The term strong-scoped means that you have made a very explicit reference to the scope of the buffer by naming it in the block header. You have told Progress that the block applies to that buffer and is being used to manage that buffer. By providing you with a buffer scoped to that block, Progress is really just following your instructions.

A weak-scoped reference:

you reference a buffer in the header of a FOR EACH or PRESELECT EACH block, this is called a weak-scoped reference. Any reference to the buffer within the block is a weak-scoped reference.

free references:

The third type of buffer reference is called a free reference. Any other reference to a buffer other than the kinds already described is a free reference. Generally, this means references in FIND statements. These are called free references because they arent tied to a particular block of code. They just occur in a single statement in your procedure. check this: { Keep in mind that a REPEAT block or a DO block does not automatically iterate through a set of records. You can execute many kinds of statements within these blocks, and if you want to retrieve a record in one of them, you have to use a FIND statement to do it. This is why naming the buffer in the block header is called strong scoping. }

{ a FOR EACH block or a PRESELECT EACH block must name the buffers it uses, because the block automatically iterates through the set of records the block header defines. For this reason, because you really dont have any choice except to name the buffer in the block header, Progress treats this as a weak reference. Progress recognizes that the buffer is used in that block, but it doesnt treat it as though it can only be used within that block }

Record Buffer Rule 1: Each strong-scoped or weak-scoped reference to a buffer is self-contained: You can combine multiple such blocks in a procedure, and each one scopes the buffer to its own block. This rule holds as long as no other reference forces the buffer to be scoped to a higher level outside these blocks. Heres an example: FOR EACH Customer BY creditLimit DESCENDING: DISPLAY "Highest:" CustNum NAME CreditLimit WITH 1 DOWN. LEAVE. END. FOR EACH Customer WHERE state = "NH" BY CreditLimit DESCENDING: DISPLAY CustNum NAME CreditLimit. END. Note: {Because these two blocks occur in sequence, Progress can scope the Customer buffer to each one in turn and reuse the same Customer buffer in memory, without any conflict. Thats why this form is perfectly valid.}

This procedure scopes the Customer buffer to each block in turn, just as the first example does.

DO FOR Customer: FIND FIRST Customer WHERE CreditLimit > 60000. DISPLAY CustNum NAME CreditLimit. END. FOR EACH Customer WHERE state = "NH" BY CreditLimit DESCENDING: DISPLAY CustNum NAME CreditLimit. END. Record Buffer Rule 2: You cannot nest two weak-scoped references to the same Buffer: For example, heres a procedure that violates this rule:

DEFINE VARIABLE dLimit AS DECIMAL NO-UNDO. FOR EACH Customer WHERE state = "NH" BY CreditLimit DESCENDING: DISPLAY CustNum NAME CreditLimit. dLimit = Customer.CreditLimit. FOR EACH Customer WHERE CreditLimit > dLimit: DISPLAY CustNum NAME CreditLimit.

END. END. Note : {The first time through the block, it contains the New Hampshire Customer with the highest CreditLimit. Now suddenly Progress gets a request to use that same buffer to start another FOR EACH block, while its still in the middle of processing the outer one. This could not possibly work.} {If Progress replaced the New Hampshire Customer with whatever Customer was the first one to satisfy the selection of Customers with higher CreditLimits and then you had another reference to the first Customer later on in the outer block (which would be perfectly valid), that Customer record would no longer be available because Progress would have used the same buffer for the inner FOR EACH block. Because this cant be made to work with both blocks sharing the same buffer at the same time, this construct is invalid.} Record Buffer Rule 3: A weak-scope block cannot contain any free references to the same buffer: This rule makes sense for the same reasons as the second rule. Consider this example: {While Progress is processing the FOR EACH block, it gets a request to use the same buffer to find a completely unrelated record. This fails with a similar error}

DEFINE VARIABLE dLimit AS DECIMAL NO-UNDO. FOR EACH Customer WHERE state = "NH" BY CreditLimit DESCENDING: DISPLAY CustNum NAME CreditLimit. dLimit = Customer.CreditLimit. FIND FIRST Customer WHERE CreditLimit > dLimit. DISPLAY CustNum NAME CreditLimit. END. Record Buffer Rule 4: If you have a free reference to a buffer, Progress tries to scope that buffer to the nearest enclosing block with record scoping properties (that is, a FOR EACH block, a DO FOR block, or a REPEAT block). If no block within the procedure has record scoping properties, then Progress scopes the record to the entire procedure:

The FIND statements are called freereferences because they dont define a scope for the buffer, they just reference it. Therefore, Progress has to identify some scope for the record beyond the FIND statement. When a block has record scoping properties, it is a block Progress might try to scope a record to, when the record is referenced inside the block.

DEFINE VARIABLE dLimit AS DECIMAL NO-UNDO INIT 0. FOR EACH Customer WHERE State = "NH" BY CreditLimit DESCENDING: IF dLimit = 0 THEN dLimit = Customer.CreditLimit. DISPLAY CustNum NAME CreditLimit. END. FIND FIRST Customer WHERE CreditLimit > dLimit. DISPLAY CustNum NAME CreditLimit. Note:

{This procedure is perfectly valid. The first time through the FOR EACH loop, the procedure saves off the CreditLimit for use later in the procedure. Because the dLimit variable is initialized to zero, checking for dLimit = 0 you whether its already been set. When you run it, you see tells all the New Hampshire Customer records followed by the first Customer with a CreditLimit higher than the highest value for New Hampshire Customers. Because theres no conflict with two blocks trying to use the same buffer at the same time, it compiles and runs successfully.}

But the rule that Progress raises the scope in this situation is a critically important one. In complex procedures, the combination of buffer references you use might force Progress to scope a record buffer higher in the procedure than you expect. Though this normally does not have a visible effect when youre just reading records, when you get to the discussion of transactions this rule becomes much more important. If you generate another listing file for this procedure, you see the effect of the FIND statement Theres no reference to the Customer buffer in the information for the FOR block at line 3 because Progress has already scoped the buffer higher than that block.

Record Buffer Rule 5: If you have a strong-scoped reference to a buffer, you cannot have a free reference that raises the scope to any containing block:

If Progress encounters some other statement (such as a FIND statement) outside the strong-scoped block that forces it to try to scope the buffer higher than the strong scope, it cannot do this because this violates the strong-scoped reference. Heres an example:

DEFINE VARIABLE dLimit AS DECIMAL NO-UNDO. DO FOR Customer: FIND FIRST customer WHERE state = "MA". DISPLAY CustNum NAME CreditLimit. dLimit = Customer.CreditLimit. END. FIND FIRST Customer WHERE Customer.CreditLimit > dLimit. DISPLAY CustNum NAME CreditLimit. Remember this distinction between Rule 1 and Rule 5. Rule 1 says that strong- and weak-scoped references in separate blocks are self-contained, so it is legal to have multiple blocks in a procedure that scope the same buffer to the block. Rule 5 tells you that it is not legal to have some other reference to the buffer that would force the scope to be higher than any of the strong-scoped references to it. This example illustrates that it is valid to have a weak-scoped block enclosed in a strong-scoped block. Progress raises the scope of the Customer buffer to the outer DO FOR block. This allows you to reference the buffer elsewhere in the DO FOR block, such as the FIND statement. The FIND statement raises the scope of the buffer to the DO FOR block, the nearest containing block with block-scoping properties.

DEFINE VARIABLE iNum AS INTEGER NO-UNDO INIT 0. DO FOR Customer: FOR EACH Customer WHERE CreditLimit > 80000BY CreditLimit DESCENDING: DISPLAY CustNum NAME CreditLimit. IF iNum = 0 THEN iNum = Customer.CustNum. END. FIND Customer WHERE CustNum = iNum. DISPLAY NAME FORMAT "x(18)" City FORMAT "x(12)" State FORMAT "x(12)" Country FORMAT "x(12)".

END.

Check: REPEAT: FIND NEXT Customer USE-INDEX NAME. IF NAME < "D" THEN NEXT. ELSE LEAVE. END. DISPLAY CustNum NAME. Progress encounters the FIND statement and tentatively scopes the Customer buffer to the REPEAT block. The REPEAT block by itself does not force a buffer scope without a FOR phrase attached to it but it does have the record-scoping property, so it is the nearest containing block for the FIND statement. This block cycles through Customers in Name order and leaves the block when it gets to the first one starting with D , But after that block ends, Progress finds a free reference to the Customer buffer in the DISPLAY statement. This forces Progress to raise the scope of the buffer outside the REPEAT block. Since there is no available enclosing block to scope the buffer to, Progress scopes it to the procedure. Thus, the Customer buffer from the REPEAT block is available after that block ends to display fields from the record, as shown in

Check: REPEAT: FIND NEXT Customer USE-INDEX NAME. IF NAME BEGINS "D" THEN DO: DISPLAY CustNum NAME WITH FRAME D. LEAVE. END. END. REPEAT: FIND NEXT Customer USE-INDEX NAME. IF NAME BEGINS "E" THEN DO: DISPLAY CustNum NAME WITH FRAME E. LEAVE. END. END. Progress initially scopes the buffer to the first REPEAT block. But on encountering another FIND statement within another REPEAT block, Progress must raise the scope to the entire procedure The first block cycles through Customers until it finds and displays the first one whose name begins with D, and then leaves the block Because the buffer is scoped to the entire procedure, the FIND statement inside the second REPEAT block starts up where the first one ended, and continues reading Customers until it gets to the first one beginning with E This is a very important aspect of buffer scoping. Not only are both blocks using the same buffer, they are also using the same index cursor on that buffer. This is different from the earlier examples where multiple strong- or weak-scoped blocks scope the buffer independently. In these cases, each block uses a separate index cursor, so a second DO FOR or FOR EACH starts fresh back at the beginning of the record set. The difference is that the FIND statements inside these REPEAT blocks are free references, so they force Progress to go up to an enclosing block that encompasses all the free references.

Adding procedures to the test window:

Introducing the OpenEdge AppBuilder:


Creating a new procedure and window: Adding fields to your window:

Display some fields from the Customer table by clicking the DB Fields icon on the Palette, and then double-click on your design window

The name CustQuery is appropriate because the AppBuilder, by default, creates a database query for the fields in the frame, and gives it the same name as the frame. Youll see just ahead what this default query does for you. Using the Query Builder:

Double-click on the frame background. Alternatively, select the Object Properties button from the toolbar:

Add query to procedure Adding a browse to your window:

Click the Browse icon on the Palette; then click the space under the Customer fields. Using property sheets(To set a property value for the browse)
select the browse and then click on the Object Properties button in the AppBuilder toolbar. Using the Section Editor(To view the code the AppBuilder created) Stop your window, and then click the Edit Code icon in the main window Definitions A section at the top of your procedure where you can write variable definitions and other statements that are needed by the whole procedure. Triggers Blocks of code that execute when an event occurs (for example, when a user clicks a button). Youll write some triggers of your own just ahead. Main Block The part of the ABL code that is executed as soon as the procedure starts up. Youll look at the main block of this sample procedure below and see what it does for you. Procedures Internal procedures Functions User-defined functions are like internal procedures, but they return a value to the statement that uses them, just as the built-in ABL functions you used in Looking at preprocessor values in the Code Preview(To look at the preprocessor definition) 1. Return to the AppBuilder main window and press F5 or select Compile Code Preview

from the menu. The Code Preview dialog box appears and shows all the code for the whole procedure. 2. Scroll down in this dialog box to the section marked Preprocessor Definitions to find the definition of
OPEN-QUERY-CustQuery

Positioning within the query

Adding buttons to your window:

Defining a frame:
DEFINE FRAME CustQuery BtnFirst AT ROW 1.48 COL 8 BtnNext AT ROW 1.48 COL 24.6 BtnPrev AT ROW 1.48 COL 41.2 BtnLast AT ROW 1.48 COL 58 Customer.CustNum AT ROW 3.38 COL 13.4 COLON-ALIGNED VIEW-AS FILL-IN SIZE 9 BY 1 Customer.Name AT ROW 3.38 COL 37 COLON-ALIGNED VIEW-AS FILL-IN SIZE 32 BY 1 Customer.Address AT ROW 4.57 COL 13 COLON-ALIGNED VIEW-AS FILL-IN SIZE 37 BY 1 Customer.City AT ROW 5.76 COL 13 COLON-ALIGNED VIEW-AS FILL-IN SIZE 27 BY 1 Customer.State AT ROW 5.76 COL 47 COLON-ALIGNED VIEW-AS FILL-IN SIZE 22 BY 1 OrderBrowse AT ROW 7.67 COL 13 WITH 1 DOWN NO-BOX KEEP-TAB-ORDER OVERLAY SIDE-LABELS NO-UNDERLINE THREE-D AT COL 1 ROW 1 SIZE 86 BY 13.67.

1 DOWN Youll remember from Chapter 2, Using Basic ABL Constructs, that the kind of ABL frame you get from a FOR EACH block with a DISPLAY statement in it is a down frame that displays multiple records in a report-like format. Frames in a graphical application are typically one down frames, which display only one instance of the objects

defined for the frame. In this case, the browse control is a single GUI object that takes the place of the multi-line down frame in the older interface style thats designed for character terminals. NO-BOX, OVERLAY, NO-UNDERLINE, THREE-D These all define various visual characteristics of the frame and are self-explanatory. KEEP-TAB-ORDER This attribute keeps language statements such as the ENABLE statement you saw in enable_UI from changing the tab order of the fields. AT COL 1 ROW 1 This position is relative to the window the frame is in. The objects in the frame are positioned relative to the frame (their container), and the frame is positioned relative to its container (the window). SIZE 86 BY 13.67 This is the size of the whole frame in characters.

Defining Graphical Objects


Types of objects Editors For longer text strings Toggle boxes For logical values Selection lists For lists of valid values Combo boxes For a list display that disappears when youre not using it Sliders For visual display of an integer value within a range Radio sets For presenting a choice among a small set of distinct values all basic objects have the following in common You can define them in an ABL procedure using forms of the DEFINE statement. These are called static objects, and it is these that youll focus on in this chapter. You can also create them during program execution using the CREATE statement. These are called dynamic objects, and youll learn much more about them in later chapters. They can have a handle that acts as a pointer to a control structure that describes the object. Since handles are used mostly with dynamic objects, youll learn more about handles in the chapters on creating and using dynamic objects. They respond to various events that can come from user actions or can be applied to the

object programmatically. They support blocks of ABL code called triggers that the ABL Virtual Machine (AVM) executes when an associated event occurs. They have various methods defined for them, which are procedural actions you can invoke in your programs to perform tasks related to the object. Using the VIEW-AS phrase for data representation objects

Many visual objects represent a single data value. This value can be a field from a database table or it can be a program variable. In both these cases, the default visual representation of the field is normally a fill-in field. DEFINE VARIABLE name AS datatype VIEW-AS display-type [options ].

The options are attributes for that visual type that you can choose, such as the SIZE of the editor and the SCROLLBAR-VERTICAL keyword. VIEW-AS EDITOR {{SIZE-PIXELS | SIZE-CHARS | SIZE} width BY height | INNER-CHARS num-chars INNER-LINES num-lines} [SCROLLBAR-HORIZONTAL] [SCROLLBAR-VERTICAL] [MAX-CHARS chars] [NO-WORD-WRAP] [LARGE] [BUFFER-CHARS chars] [BUFFER-LINES lines]

If youre not defining a variable but simply placing a database field or other field into a frame, then you append the VIEW-AS phrase to the name of the field in the DEFINE FRAME statement,

DEFINE FRAME CustQuery . . . Customer.Comments AT ROW 5.29 COL 76 NO-LABEL VIEW-AS EDITOR SCROLLBAR-VERTICAL SIZE 36 BY 3.14 . . Defining objects that dont represent data values: Objects that dont represent single data values use a form of the DEFINE statement that names the object type directly. You have seen the DEFINE BUTTON, DEFINE BROWSE, and DEFINE FRAME

statements

Each statement type accepts the same kinds of options that the VIEW-AS phrase of the DEFINE VARIABLE statement does, with the options list specialized for each object type

Using and setting object attributes: Geometry The size and location of the object in a frame or window Appearance The color and font, or whether the object has optional features such as a scrollbar, or whether it is visible or not, for example Data management The initial value and whether the value is undone as part of a transaction, for example Relationships to other objects The parent or sibling, for example Identifying characteristics of an object Its name You can also query most attribute values from within the procedure that defines the object. To retrieve the value of an attribute, you use the form: object-name:attribute-name [IN { FRAME | MENU | SUB-MENU } name ]

Do not use spaces on either side of the colon between the object-name and the attribute-name. Each attribute has an appropriate data type, such as DECIMAL for the ROW attribute or LOGICAL for the HIDDEN attribute. You can use an attribute value anywhere in an expression or assignment where you would use any other value. If the attribute reference is not unambiguous, you can provide context for it in the reference by qualifying it with the name of the frame, menu, or submenu it appears in. The default is the most recently defined container whose description includes the object.
Changing attribute values: You can also change many attribute values at run time, even those for static objects. You simply place the attribute reference on the left side of an assignment Geometry attributes:

These attributes affect the size and location of the object in the frame or window:

ROW, COLUMN These DECIMAL attributes are the character positions of the object within its container. For objects in a frame, the values represent the position within the frame and not within the frames window. The frame has its own position within its window, and the window has its own position within the display device. When you lay out objects in the AppBuilder, it generates code to position the objects using ROW and COLUMN coordinates. Alternately, you can use pixel values for positions. Generally, character positions are more portable and flexible if the font or display device changes.

X, Y These INTEGER attributes are equivalent to ROW and COLUMN but measured in pixels. HEIGHT-CHARS, WIDTH-CHARS These DECIMAL attributes are the height and width of the object in character units. HEIGHT-PIXELS, WIDTH-PIXELS These INTEGER attributes are the height and width of the object in pixels. Appearance attributes: These attributes affect the appearance of the object:

HIDDEN If this LOGICAL attribute is true, then the object is hidden and does not appear even when its container is displayed. If it is false, then the object does appear when its container is displayed. If you set the HIDDEN attribute of a container object, such as a window or frame, to true, then the container and all the objects in it are hidden. If you set it to false for a container, then the container and any contained objects that arent themselves hidden appear. This is an attribute you can set only at run time. The definition of an object cannot describe it as initially hidden. VISIBLE This LOGICAL attribute is not simply the opposite of HIDDEN. Its relation to HIDDEN can be somewhat confusing to understand. Generally, you use it much less than the HIDDEN attribute. Setting the VISIBLE attribute of an object to true forces it to be viewed. For example, setting the VISIBLE attribute of a field-level object in a window to true forces the window to be displayed even if it was previously hidden. By contrast, setting the HIDDEN attribute to false doesnt force the container to be viewed. You can read all the details of the effects of the VISIBLE attribute in the online help. SENSITIVE This LOGICAL attribute determines whether an object is enabled for input or not. Its use is parallel to the ENABLE verb. That is, executing an ENABLE statement for an object is the same as setting its SENSITIVE attribute to true. Similarly, executing a DISABLE statement for an object is the same as setting its SENSITIVE attribute to false. As with the HIDDEN attribute, you can set the SENSITIVE attribute only at run time. This means that if you check the Enable toggle box or the Display toggle box on or off in the AppBuilder property sheet for an object when you are building a screen, you do not change the DEFINE statement the AppBuilder generates for the object. Rather you change the ENABLE and DISPLAY statements the AppBuilder generates that execute when the window is initialized. READ-ONLY This LOGICAL attribute applies to data-representation objects and prevents the user from modifying the field value. Sometimes you might want to combine setting the Enable toggle box in a fields property sheet with setting the READ-ONLY attribute to true. This gives a fill-in field some of the appearance of an enabled field (with its characteristic box outline, which can improve readability), but prevents the user from changing it. The CustOrders window uses this form for its Customer fill-ins. HELP This is the help text to display when the object is selected. TOOLTIP This is the text to display when the user hovers the mouse over the object. For data-representation objects, you can initialize the ToolTip text in the frame definition for the object, such as in this excerpt from the frame definition for the CustOrders window: eg: DEFINE FRAME CustQuery . . . Customer.City AT ROW 7.19 COL 13 COLON-ALIGNED

VIEW-AS FILL-IN SIZE 27 BY 1 TOOLTIP "Enter the City" . . . eg: DEFINE BUTTON BtnFirst LABEL "First" SIZE 15 BY 1.14 TOOLTIP "Press this to see the first Customer.". LABEL This CHARACTER attribute is the label of the field or button. SELECTABLE You can set up most visual objects for direct manipulation. This means that the user can actually select, move, and resize the object at run time just as you can move and resize objects in a design window in the AppBuilder. The AppBuilder uses these attributes to provide you with the behavior you see in a design window, where you can drag objects around to where you want them. The SELECTABLE attribute is a LOGICAL value which, if true, allows the user to select the object by clicking on it with the mouse. It then sprouts the characteristic resize handles around the object border that let the user size or move it. RESIZABLE You can set this LOGICAL attribute to true to let a user change the size of an object at run time. You must also set the SELECTABLE attribute to true to provide the resize handles. MOVABLE You can set this LOGICAL attribute to true to let a user move an object at run time. You do not need to set the SELECTABLE attribute to make an object movable. The user can move the object without using its resize handles. However, it is considered a more standard user provision to set SELECTABLE along with MOVABLE . Data management attributes: These attributes affect how to manage data associated with the object: SCREEN-VALUE There is a special screen buffer that holds the displayed values of all data-representation objects in a frame. This buffer is separate from the underlying database record buffer for database fields and from the buffer where variable values are held. If a user enters a value into a field on the screen, that value is not assigned to the underlying record buffer until you execute an ASSIGN statement for the field. In the meantime, the input value is held only in the screen buffer. You can retrieve a value from the screen buffer using the SCREEN-VALUE attribute, which is a CHARACTER value representing the value as it appears on the screen, or as it would appear on the screen in a fill-in field. You can also set the SCREEN-VALUE attribute of an object to display a value without setting the underlying record value. It is important to remember that the value of the SCREEN-VALUE attribute is always the formatted value as it appears in the user interface. If this contains special format mask characters (such as commas and decimal points in a decimal value, for example), then any comparisons you do against this string must include those format characters. If this presents problems, you must assign the screen value to its underlying record buffer and reference the BUFFER-VALUE of the field to access it in its native data type and without format characters. INITIAL This attribute holds the initial value of a data-representation object. You can set it only in the DEFINE statement.

Relationship attributes: These attributes affect how the object interacts with other objects:

FRAME-NAME This CHARACTER attribute holds the name of the container frame the object is in. FRAME This HANDLE attribute holds the object handle of the container frame the object is in. In later chapters, you learn how to traverse from one handle to another to locate an object or to locate all objects that are in a container. WINDOW This HANDLE attribute holds the object handle of the container window the object is in. Identifying attributes: These attributes identify characteristics of the object:

NAME This CHARACTER attribute holds the name of the object. PRIVATE-DATA This CHARACTER attribute lets you associate any free-form text with an object, which can help program logic that determines how to identify or treat the object at run time. Display and Enable: IF AVAILABLE Customer THEN DISPLAY Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State WITH FRAME CustQuery IN WINDOW CustWin. ENABLE BtnFirst BtnNext BtnPrev BtnLast Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State OrderBrowse dTotalPrice dTotalExt dAvgDisc cWorstWH cBestWH WITH FRAME CustQuery IN WINDOW CustWin. Invoking object methods: The methods are also identified by keywords that you use in ABL syntax following an object reference, which can be the object name or handle followed by a colon, just as for attributes: object-reference:method ( optional-arguments ) [ IN FRAME frame-name ] eg: cEditor:READ-FILE(myTextFile.txt) You can assign the return value to a variable or field in an assignment statement: (The initial letter l indicates that this is a logical variable.)

lSuccess = cEditor:READ-FILE(myTextFile.txt). Instantiating and realizing objects: Instantiating objects in a container

a DEFINE BUTTON statement, or a DEFINE VARIABLE statement with a VIEW-AS phrase that defines a particular type of visual object, it registers the description of the object but it does not actually create it. The AVM can create the object only when you associate it with a container frame or window that has itself been instantiated. Then the AVM can identify a unique instance of the object in that container, and create it as part of the container.
Qualifying object references to specify a unique identity ? Realizing and derealizing objects ? Using object events

Graphical applications are often referred to as event-driven applications. Unlike the hierarchical, menu-driven applications typical in a character terminal environment, graphical applications put the user more in control of the sequence of events. Using the mouse, menus, and active controls (like buttons on the screen that can respond to user actions), the user can navigate through the application with much more flexibility than in most older applications.
User interface events Each visual object type supports a set of user interface events.

Defining triggers The most basic way to define a trigger is to put the trigger definition directly into the object definition: eg: DEFINE BUTTON BtnQuit LABEL "Quit" TRIGGERS: ON CHOOSE QUIT. END TRIGGERS. Eg: To build a very simple example procedure to demonstrate some of the rules of runtime trigger processing in ABL:

1. Define a button and give it an initial label, then define an INTEGER variable as a
counter: DEFINE BUTTON bButton LABEL "Initial Label".

DEFINE VARIABLE iCount AS INTEGER NO-UNDO. 2. Add a statement to enable the button in a frame. As you learned earlier, this causes both the button and its frame to be instantiated and realized: ENABLE bButton WITH FRAME fFrame. 3. Define a run-time trigger for the button that changes its label so that you can see that the trigger fired: ON CHOOSE OF bButton IN FRAME fFrame DO: iCount = iCount + 1. bButton:LABEL IN FRAME fFrame = "External " + STRING(iCount). END. 4. Create a WAIT- FOR statement that blocks the termination of the procedure and allows the user to click the button: WAIT-FOR CLOSE OF THIS-PROCEDURE. 5. Run the procedure eg: To define another trigger for the button in an internal procedure, make these changes to the procedure: DEFINE BUTTON bButton LABEL "Initial Label". DEFINE VARIABLE iCount AS INTEGER NO-UNDO. ENABLE bButton WITH FRAME fFrame. ON CHOOSE OF bButton IN FRAME fFrame DO: iCount = iCount + 1. bButton:LABEL IN FRAME fFrame = "External " + STRING(iCount). END. RUN ChooseProc. WAIT-FOR CLOSE OF THIS-PROCEDURE. PROCEDURE ChooseProc. ON CHOOSE OF bButton IN FRAME fFrame DO: iCount = iCount + 1. bButton:LABEL In FRAME fFrame = "Internal " + STRING(iCount). END. END.

Making a trigger persistent

PERSISTENT RUN procedure-name [ (input-parameters ) ]. To see how you write a persistent trigger and what its effects are, change the ChooseProc procedure and add the new procedure PersistProc, as follows: PROCEDURE ChooseProc. ON CHOOSE OF bButton IN FRAME fFrame PERSISTENT RUN PersistProc. END PROCEDURE. PROCEDURE PersistProc: iCount = iCount + 1. bButton:LABEL IN FRAME fFrame = "Internal " + STRING(iCount). END PROCEDURE. Using the REVERT statement to cancel a trigger An ON statement can contain the single keyword REVERT to cancel an existing trigger definition before it goes out of scope(Note that you cannot use REVERT to cancel a persistent trigger) ON events OF objects REVERT. Defining triggers to fire anywhere

You can use the ANYWHERE option of the ON statement to set up a trigger that applies to all objects in an application ON events ANYWHERE statement or code block.

Applying events in your application

In the CustOrders procedure, each button trigger has to APPLY the VALUE-CHANGED event to the Order browse to get it to run the internal procedure to display related data for the Order, such as this code for the Next button trigger:
DO: GET NEXT CustQuery. IF AVAILABLE Customer THEN DO: DISPLAY {&FIELDS-IN-QUERY-CustQuery} WITH FRAME CustQuery IN WINDOW CustWin. {&OPEN-BROWSERS-IN-QUERY-CustQuery} APPLY "VALUE-CHANGED" TO OrderBrowse. END. END. Using NO-APPLY to suppress default processing for an event

Sometimes you want only the trigger action on the target object to occur and not the default processing for the object that initiated the event. In this case, you can use the special RETURN NO-APPLY statement at the end of the trigger definition to suppress the default processing on the object that initiated it.

it

When you type, the keystrokes are applied to cFillTo, that is its default processing. But the RETURN NO-APPLY statement suppresses the default processing the cFillFrom, so remains blank

DEFINE VARIABLE cFillFrom AS CHARACTER NO-UNDO. DEFINE VARIABLE cFillTo AS CHARACTER NO-UNDO. ENABLE cFillFrom cFillto WITH FRAME fFrame. ON ANY-PRINTABLE OF cFillFrom DO: APPLY LAST-KEY TO cFillto. RETURN NO-APPLY. END. WAIT-FOR CLOSE OF THIS-PROCEDURE.

Finally, it does a RETURN NO-APPLY to suppress the display of the character you actually typed into the first fill-in. You could use this sort of code for a password field

DEFINE VARIABLE cFillFrom AS CHARACTER NO-UNDO. DEFINE VARIABLE cFillTo AS CHARACTER NO-UNDO. ENABLE cFillFrom cFillto WITH FRAME fFrame. ON ANY-PRINTABLE OF cFillFrom DO: APPLY LAST-KEY TO cFillto. APPLY '*' TO cFillFrom. RETURN NO-APPLY. END. WAIT-FOR CLOSE OF THIS-PROCEDURE.

Using Graphical Objects in Your Interface(practical chapter)

Using Queries
ABL (Advanced Business Language) code to define and iterate through a set of records ABL defines an alternative to this form of data access called a query.

Why you use queries in your application


Queries versus block-oriented data access

The first and most obvious characteristic of queries is precisely that they are not blockoriented. You define a result set inside a block beginning with DO , FOR , or REPEAT. The result set is generally scoped to the block where it is defined The term result set denotes the set of rows that satisfy a query.

When the user clicks the Next button, the code retrieves and displays the next record in the result set:
DO: GET NEXT CustQuery. IF AVAILABLE Customer THEN DISPLAY Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State WITH FRAME CustQuery IN WINDOW CustWin. {&OPEN-BROWSERS-IN-QUERY-CustQuery} END.

queries give your data access language these important characteristics:


Scope independence You can refer to the records in the query anywhere in your procedure. Block independence You arent required to do all your data access within a given block. Record retrieval independence You can move through the result set under complete control of either program logic or user events. Repositioning flexibility You can position to any record in the result set at any time. Using queries to share data between procedures A query is also a true object in ABL. It has a definition and a name, and you can use the name to access it anywhere in your procedure. You have already learned a little about handles, which give you a reference to an object that you can pass from procedure to procedure. Using a querys handle, you can access the query and its result set from anywhere in your application session. This gives you the ability to modularize your application in ways that cant be done with

block-oriented result sets, which are not named objects and which have no meaning or visibility outside their defined scope Defining and using queries

There is a DEFINE statement for a query as for other ABL objects. This is the general syntax:

DEFINE QUERY query-name FOR buffer [ , . . .] [ SCROLLING ].

If you want to reposition within the result set without using the GET FIRST, NEXT , PREV, and LAST statements, you need to define the query as SCROLLING As with other DEFINE statements, nothing actually happens when the ABL Virtual Machine (AVM) encounters the DEFINE QUERY statement. No data is retrieved. the AVM simply registers the query name and sets up storage and a handle for the query itself as an object.

OPEN and CLOSE QUERY statements

To get a query to retrieve data, you need to open it. When you open it, you specify the name of the query and a FOR EACH statement that references the buffers you named in the query definition, in the same order. If the query is already open, the AVM closes the current open query and then reopens it This is the general syntax:

OPEN QUERY query-name

FOR

PRESELECT

EACH record-phrase

, . . .]

BREAK

][

BY phrase ].

there are special cases for the record phrase in a query:


The first record phrase must specify EACH, and not FIRST, because the query is intended to retrieve a set of records. It is, however, valid to specify a WHERE clause in the record-phrase for the table that resulted in only a single record being selected, so a query can certainly have only one record in its result set. The record-phrase for any other buffers in the query can use the FIRST keyword instead of EACH if that is appropriate. You cannot use the CAN-FIND keyword in a query definition. Doing so results in a compile-time error. Queries support the use of an outer join between tables, using the OUTER-JOIN keyword, as explained below. FOR EACH statements outside of a query do not support the use of OUTER-JOIN.

Using an outer join in a query: An outer join between tables is a join that does not discard records in the first table that have no corresponding record in the second table

DEFINE QUERY CustOrd FOR Customer, Order. OPEN QUERY CustOrd FOR EACH Customer, EACH Order OF Customer .

What happens to a Customer that has no Orders at all? The Customer does not appear in the result set for the query. The same is true for a FOR EACH block with the same record phrase. This is simply because the record phrase asks for Customers and the Orders that match them, and if there is no matching Order, then the Customer by itself does not satisfy the record phrase. You want to see the Customer data regardless of whether it has any Orders or not. In this case, you can include the OUTER-JOIN keyword in the OPEN QUERY statement:
DEFINE QUERY CustOrd FOR Customer, Order. OPEN QUERY CustOrd FOR EACH Customer, EACH Order OF Customer OUTER-JOIN.

Sorting the query results: You can specify a BY phrase on your OPEN GET statements:

QUERY

statement just as you can in a FOR EACH block

OPEN QUERY

You use a form of the GET statement to change the current position within the record set that the statement defines

GET [ FIRST | NEXT | PREV | LAST | CURRENT ] query-name. The query must be open before you can use a GET statement If the query involves a join, Progress populates all the buffers used in the query on each GET statement

DEFINE QUERY CustOrd FOR Customer, Order. DEFINE VARIABLE iCount AS INTEGER NO-UNDO. OPEN QUERY CustOrd FOR EACH Customer, EACH Order OF Customer. GET FIRST CustOrd. DO WHILE AVAILABLE(Customer): iCount = iCount + 1. GET NEXT CustOrd. END. DISPLAY iCount.

Note also that the AVAILABLE function must take a buffer name as its argument, not the name of the query. If the query involves an outer join, then you should be careful about which buffer you use in the AVAILABLE function. If you name a buffer that could be empty because of an outer join (such as an empty Order buffer for a Customer with no Orders), then your loop could terminate prematurely. On the other hand, you might want your application logic to test specifically for the presence of one buffer or another in order to take special action when one of the buffers has no record

Using the QUERY-OFF-END function: There is a built-in Progress function that you can use for the same purpose as the AVAILABLE

statement: QUERY-OFF-END ( query-name ). QUERY-OFF- END is a logical function that returns true if the query is positioned either before the first result set row or after the last row, and false if it is positioned directly on any row in the result The query-name parameter must be either a quoted literal string with the name of the query or a variable name that has been set to the name of the query

DEFINE QUERY CustOrd FOR Customer, Order. DEFINE VARIABLE iCount AS INTEGER NO-UNDO. OPEN QUERY CustOrd FOR EACH Customer, EACH Order OF Customer. GET FIRST CustOrd. DO WHILE NOT QUERY-OFF-END('CustOrd'): iCount = iCount + 1. GET NEXT CustOrd. END. DISPLAY iCount.

it is more appropriate to use the QUERY-OFF-END function in most cases, since it is the position of the query and not the presence of a record in a particular buffer that youre really interested in

if you really want to test for the presence of a record, especially when your query does an outer join that might not always retrieve a record into every buffer, then use the AVAILABLE function.

Closing a query: When you are done with a query, you should close it using this statement

CLOSE QUERY query-name.

An OPEN QUERY statement automatically closes a query if it was previously open it isnt essential to execute a CLOSE QUERY statement just before reopening a query After you close the query you cannot reference it again (with a GET statement, for instance). However, if there are records still in the buffer or buffers used by the query, they are still available after the query is closed unless your application has specifically released them

Determining the current number of rows in a query: You can use the NUM-RESULTS function to determine how many rows there are in the current results list: NUM-RESULTS ( query-name ) Progress normally builds up the results list as you walk through the query using the GET

statement. Therefore, when you first open a query with a FOR EACH clause in the OPEN QUERY statement, the results list is empty and the NUM-RESULTS function returns zero.
As you move through the query using the GET NEXT statement, Progress adds each new rows identifier to the results list and increments the value returned by NUM-RESULTS . For example, this example retrieves all the Customers in the state of Louisiana using a query. For each row, it displays the Customer Number, Name, and the value of NUM-RESULTS :

DEFINE QUERY CustQuery FOR Customer. OPEN QUERY CustQuery FOR EACH Customer WHERE State = "LA". GET FIRST CustQuery. DO WHILE NOT QUERY-OFF-END("CustQuery"): DISPLAY Customer.CustNum Customer.NAME NUM-RESULTS("CustQuery") LABEL "Rows" WITH FRAME CustFrame 15 DOWN. GET NEXT CustQuery. DOWN WITH FRAME CustFrame. END. Using a DOWN frame and the DOWN WITH statement:

theres no built-in block scoping or iteration in a query. First, heres the new phrase on the DISPLAY statement: Progress gave you a down frame with a default number of rows automatically. Because a query is not associated with a particular block, and doesnt have any automatic iteration, Progress doesnt know how the data is going to be displayed So by default, it just gives
you a one down frame that displays a single record.

The second new piece of syntax is this statement at the end of the block:
DOWN WITH FRAME CustFrame. Retrieving query results in advance:

The value of NUM-RESULTS does not always increment as you execute GET operate on each row

NEXT

statements and

the PRESELECT option on the OPEN QUERY statement. When you use a PRESELECT EACH rather than a FOR EACH statement to define the data selection, you are telling Progress to retrieve all the records that satisfy the query in advance and to save off their record identifiers in temporary storage. Then Progress again retrieves the records using their identifiers as you need them. PRESELECT option to make sure that the set of records is not disturbed by changes that you make as you work your way through the list, such as changing a key value in such a way as to change a records position in the list.

OPEN QUERY CustQuery PRESELECT EACH Customer WHERE State = "LA" .

All the records are pre-retrieved. Therefore, the value of NUM-RESULTS is the same no matter what record you are positioned to. This means that you could use the PRESELECT option to display, or otherwise make use of, the total number of records in the results list before displaying or processing all the data.

OPEN QUERY CustQuery FOR EACH Customer WHERE State = "LA" BY Name.

The Name field is indexed, so Progress can satisfy the BY phrase and present the data in the sort order you want by using the index to traverse the database and retrieve the records

OPEN QUERY CustQuery FOR EACH Customer WHERE State = "LA" BY City.

There is no index on the City field, so Progress has to retrieve all 13 of the records for Customers in Louisiana in advance to sort them by the City field before presenting them to your procedure. Therefore, NUM-RESULTS is equal to the total number of records from the beginning, as soon as the query is opened Identifying the current row in the query: Progress keeps track of the current row number, that is, the sequence of the row in the results list. You can retrieve this value using the CURRENT-RESULT-ROW function:

CURRENT-RESULT-ROW ( query-name )

The query-name is an expression, either a quoted query name or a variable reference. For CURRENT-RESULT-ROW to work properly, you must define the query to be SCROLLING . If you dont define the query as SCROLLING , the CURRENT-RESULT-ROW function returns a value, but that value is not reliable.

DEFINE QUERY CustQuery FOR Customer SCROLLING. OPEN QUERY CustQuery FOR EACH Customer WHERE State = "LA". GET FIRST CustQuery. DO WHILE NOT QUERY-OFF-END("CustQuery"): DISPLAY Customer.CustNum Customer.NAME NUM-RESULTS("CustQuery") LABEL "Rows" CURRENT-RESULT-ROW("CustQuery") LABEL "Row#" WITH FRAME CustFrame 15 DOWN. GET NEXT CustQuery. DOWN WITH FRAME CustFrame. END.

This is not always the case, of course. If you use the PRESELECT option or a nonindexed sort to retrieve the data, then NUM-RESULTS is always 13, as you have seen. But the value of CURRENT-RESULT-ROW changes from 1 to 13 just as it does above. You can use the CURRENT-RESULT-ROW function to save off a pointer to reposition to a specific Row

Here are a few special cases for CURRENT-RESULT-RO W

If the query is empty, the function returns the unknown value (?). If the query is explicitly positioned before the first row, for example by executing a GET FIRST followed by a GET PREV, then the function returns the value 1. If the query is explicitly positioned after the last row, for example by executing a GET LAST followed by a GET NEXT, then the function returns the value one more than the number of rows in the results list. Using INDEXED-REPOSITION to improve query performance: If you anticipate jumping around in the result set using statements such as GET LAST, you should add another option to the end of your OPEN QUERY statement: the INDEXEDREPOSITION keyword. If you do this, your DEFINE QUERY statement must also specify the SCROLLING keyword.

If you dont open the query with INDEXED-REPOSITION , then Progress retrieves all records in sequence in order to satisfy a request such as GET LAST. This can be very costly. If you do use INDEXED-REPOSITION, Progress uses indexes, if possible, to jump directly to a requested row, greatly improving performance in some cases. There are side effects to doing this, however, in
terms of the integrity of the results list Factors that invalidate CURRENT-RESULT-ROW and NUM-RESULTS:

Under some circumstances, when you open your query with the INDEXED-REPOSITION keyword, the value of CURRENT-RESULT-ROW or NUM-RESULTS becomes invalid. As explained earlier, the results list holds the row identifiers for those rows that satisfy the query and that have already been retrieved

Thirteen rows satisfy the query for Customers in Louisiana, so the value of these two functions goes as high as 13 for that query. When you do a PRESELECT or a nonindexed sort, all the rows have already been retrieved before any data is presented to you, so NUM-RESULTS is 13 at the beginning of the DISPLAY loop. Normally, Progress adds the identifiers for all the rows it retrieves to the results list, but there are circumstances where this is not the case. If you execute a GET LAST statement on a query, and your OPEN QUERY statement does not use a PRESELECT or a sort that forces records to be pre-retrieved, Progress jumps directly to the last record using a database index, without cycling through all the records in between. In this case, it has no way of knowing how many records would have been retrieved between the first one and the last one, and it cannot maintain a contiguous results list of all rows that satisfy the query. For this reason, Progress flushes and reinitializes the results list when you jump forward or backward in the query. So after a GET LAST statement, NUM-RESULTS returns 1 (because the GET LAST statement has retrieved one row) and CURRENT-RESULT-ROW is unknown (because there is no way to know where that row would fit into the full results list). Repositioning a query:

you might want to jump forward or backward a specific number of rows to simulate paging through the query

You can do all these things with the REPOSITION statement, which has this syntax:

REPOSITION query-name { |TO ROW row-number |FORWARDS n |BACKWARDS n |TO ROWID buffer-1-rowid [, . ] [ .NO-ERROR ] .

}
If you specify the TO ROW option followed by an integer expression, the query repositions to that sequential position within the results list. If you have previously saved off that position using the CURRENT-RESULT-ROW function, you can use the value that function returned as the value in the TO ROW phrase to reposition to that row. If you use the FORWARDS or BACKWARDS phrase, you can jump forward or backward any number of rows, specified by the n integer expression

Using a RowID to identify a record:

Every record in every table of a database has a unique row identifier The identifier is called a RowID. There is both a ROWID data type that allows you to store a row identifier in a procedure variable and a ROWID function to return the identifier of a record from its record buffer.

you should consider a RowID to be a special data type without being concerned about its storage format. The RowID is (among other things) designed to be valid, not just for the OpenEdge database, but for all the different databases you can access from the 4GL using OpenEdge DataServers, which provide access from the 4GL to database types such as Oracle and Microsoft SQLServer. you cant display a RowID directly in a Progress 4GL procedure. If you try to, you get an error. You can see a RowID by converting it to a CHARACTER type using the STRING function. For instance, here is a procedure that shows you the RowIDs of the rows that satisfy the sample query youve been working with
DEFINE QUERY CustQuery FOR Customer SCROLLING. OPEN QUERY CustQuery FOR EACH Customer WHERE State = "LA". GET FIRST CustQuery. DO WHILE NOT QUERY-OFF-END("CustQuery"): DISPLAY Customer.CustNum Customer.NAME CURRENT-RESULT-ROW("CustQuery") LABEL "Row#" STRING(ROWID(customer)) FORMAT "x(12)" LABEL "RowId" WITH FRAME CustFrame 15 DOWN. GET NEXT CustQuery. DOWN WITH FRAME CustFrame. END. Positioning details with the REPOSITION statement ?

Extending the sample window to use the queries: ?

Using the MESSAGE statement:


You can also insert the SKIP keyword anywhere in the message to skip a line, or SKIP(n) to skip n lines.

IF iMatches = 0 THEN DO: MESSAGE "There are no Customers that match the State" cState:SCREEN-VALUE "." SKIP "Restoring the previous State." VIEW-AS ALERT-BOX WARNING.

Defining and Using Temp-tables


temp-tables are not persistent. They arent stored anywhere permanently. And they are also private to your own Progress session, the data you define in them cant be seen by any other users You can also use a temp-table to pass a whole set of data from one procedure to another, or even from one Progress session to another

Using temporary tables in your application: A temp-table is private, visible only to the session that creates it or receives it as a parameter passed from another session you can think of them as providing two basic capabilities: 1. Temp-tables allow you to define a table within a session that does not map to any single database table. A temp-table can be based on a database table, but you can then add fields that represent calculations or fields from other tables or any other type of data source. Or you can define a temp-table that is not related in any way to any database table 2. Temp-tables allow you to pass data between OpenEdge sessions. When a client procedure needs to get data from the server, it runs a 4GL procedure on the server that returns data as an OUTPUT parameter, or that accepts updates from the client as an INPUT parameter. You define these parameters as temp-tables that you pass between the sessions.

Note: You cannot pass record buffers as parameters between sessions, so whether you need to pass a single row or many rows together, you do this in the form of a temp-table as a parameter. client session is sending and receiving only temp-tables and not dealing directly with database records, your client sessions can run without a database connection of any kind, get a feel for what is means to design your procedures for this kind of separation of user interface from database access and business logic. Progress work-tables: You use a DEFINE WORK-TABLE statement to define one. This is an older feature that predates temp-tables and lacks some of their features Most important, a work-table is memory-bound, and you must make sure your session has enough memory to hold all of the records you create in it. In addition, you cannot create indexes on worktables. You also cannot pass a work-table as a parameter between procedures

Defining a temp-table:
You define a temp-table using the DEFINE TEMP-TABLE You can make the temp-table LIKE some single database table which gives it all the fields and indexes from the other table you can define fields and indexes individually. You can also do both, so that in a single statement you can define a temp-table to be LIKE another table but also to have additional fields and indexes

DEFINE TEMP-TABLE temp-table-name [ LIKE table-name [USE-INDEX index-name [ AS PRIMARY ] ] . . . ] [ FIELD field-name { AS data-type | LIKE field-name } [ field-options ] ] . . . [ INDEX index-name [ IS [ UNIQUE ] [ PRIMARY ] ] { index-field [ ASCENDING | DESCENDING ] } . . . ]

Defining fields for the temp-table:


If you use the LIKE option on your temp-table definition, the temp-table inherits all the field definitions for all the fields in the other table it is defined to be LIKE. you can also use the FIELD phrase to define one or more fields for the temp-table You can use the FIELD phrase for one of three purposes:

If you want to base your temp-table on another table, but you dont want all of its fields or you want to change some of the field attributes, including even the field names, then you can name the individual fields using the FIELD phrase rather than making the whole table LIKE the other table](thiyana aka field over rite karanna . like format) 2 If you want to base your temp-table on another table, but you want some additional fields from one or more other tables as well, then you can define the temp-table to be LIKE the other table that it uses all the fields from, and then add FIELD phrases for each field that comes from another related table. You can use the LIKE keyword on these additional fields to inherit their database attributes as well (hadapu akata wana table Akaka field danna)

3 If you need fields in your table that are not based at all on specific database fields, then you define them with the FIELD phrase. Again, you can do this whether the basic temp-table definition is LIKE another table or not.(to define fields on your hand)

Defining indexes for the temp-table: If you use the LIKE other-table option or LIKE- SEQUENTIAL other-table option If you dont specify any index information in the DEFINE TEMP-TABLE statement, the temp-table inherits all the index layouts defined for the other table. If you specify one or more USE- INDEX options, the temp-table inherits only the indexes you name. If one of those indexes is the primary index of the other table, it becomes the primary index of the temp-table, unless you explicitly specify AS PRIMARY for another index you define. If you specify one or more INDEX options in the definition, then the temp-table inherits only those indexes from the other table that you have named in a USE- INDEX phrase.
The AVM determines the primary index in this way:

If you specify AS PRIMARY in a USE- INDEX phrase for an index inherited from the other table, then that is the primary index. If you specify IS PRIMARYon an INDEX definition specific to the temp-table, then that becomes the primary index. If you inherit the primary index from the other table, then that becomes the primary index for the temp-table. The first index you specify in the temp-table definition, if any, becomes the primary index. If you dont specify any index information at all, then the AVM creates a default primary index that sorts the records in the order in which theyre created.

If you do not use the LIKE or LIKE- SEQUENTIAL options to use another table as the basis for your temp-table, then your temp-table only has indexes if you define them with the INDEX phrase in the definition. Temp-table scope:

Generally speaking, the scope of a temp-table is the procedure in which its defined You can only define a temp-table at the level of the whole procedure, not within an internal procedure

Temp-table buffers:

ABL provides you with a default buffer with the same name as the table. When you refer to the temp-table name in a statement such as FIND FIRST ttCust , you are referring to the default buffer for the temp-table just as you would be for a database table. There is a temp-table attribute, DEFAULT- BUFFER- HANDLE , that returns the handle of the default buffer.

Using a temp-table to summarize data: purposes for temp-tables: first, to define a table unlike any single database table for data summary or other uses; and second, to pass a set of data as a parameter between procedures. 1. First is the statement to define the temp-table itself:
/* Procedure h-InvSummary.p -- uses a temp-table to build a summary report of invoices by customer. */ DEFINE TEMP-TABLE ttInvoice FIELD iCustNum LIKE Invoice.CustNum LABEL "Cust#" FORMAT "ZZ9" FIELD cCustName LIKE Customer.NAME FORMAT "X(20)" FIELD iNumInvs AS INTEGER LABEL "# Inv's" FORMAT "Z9" FIELD dInvTotal AS DECIMAL LABEL "Inv Total " FORMAT ">>,>>9.99" FIELD dMaxAmount AS DECIMAL LABEL "Max Amount " FORMAT ">>,>>9.99" FIELD iInvNum LIKE Invoice.InvoiceNum LABEL "Inv#" FORMAT "ZZ9" INDEX idxCustNum IS PRIMARY iCustNum INDEX idxInvTotal dInvTotal.

2. The ASSIGN statement lets you make multiple field assignments at once and is more efficient than a series of statements that do one field assignment each:
/* Retrieve each invoice along with its Customer record, to get the Name. */ FOR EACH Invoice, Customer OF Invoice: FIND FIRST ttInvoice WHERE ttInvoice.iCustNum = Invoice.CustNum NO-ERROR. /* If there isn't already a temp-table record for the Customer, create it and save the Customer # and Name. */ IF NOT AVAILABLE ttInvoice THEN DO: CREATE ttInvoice. ASSIGN ttInvoice.iCustNum = Invoice.CustNum ttInvoice.cCustName = Customer.NAME. END.

3. the temp-table records wind up holding the highest Invoice Amount for the
Customer after it has cycled through all the Invoices:
/* Save off the Invoice amount if it's a new high for this Customer. */ IF Invoice.Amount > dMaxAmount THEN ASSIGN dMaxAmount = Invoice.Amount iInvNum = Invoice.InvoiceNum. 4. Still in the FOR EACH loop, the code next increments

the Invoice total for the Customer and the count of the number of Invoices for the Customer:

/* Increment the Invoice total and Invoice count for the Customer. */ ASSIGN ttInvoice.dInvTotal = ttInvoice.dInvTotal + Invoice.Amount ttInvoice.iNumInvs = ttInvoice.iNumInvs + 1. END. /* END FOR EACH Invoice & Customer */

5. Now the procedure has finished cycling through all of the Invoices, and it can take the summary data in the temp-table and display it, in this case with the Customer with the highest Invoice Total first:
/* Now display the results in descending order by invoice total. */ FOR EACH ttInvoice BY dInvTotal DESCENDING: DISPLAY iCustNum cCustName iNumInvs dInvTotal iInvNum dMaxAmount. END.

Using a temp-table as a parameter:

1. The second major use for temp-tables is to let you pass a set of data from one
routine to another as a parameter. (A routine is a generic term that includes external procedures) 2. In particular, passing a temp-tables as a parameters is useful when you need to pass a set of one or more records from one OpenEdge session to another
Temp-table parameter syntax:

(calling)

[ [

INPUT | INPUT- OUTPUT BY-REFERENCE

OUTPUT

TABLE temp-table-name

APPEND

][

BIND

3. An INPUT parameter moves data from the calling routine to the called routine at
the time of the RUN statement. An OUTPUT parameter moves data from the called routine to the calling routine when the called routine terminates and returns to its caller. An INPUT-OUTPUT parameter moves data from the calling routine to the called routine at the time of the RUN, and then back to the calling routine when the called routine ends.

4. If you use the APPEND option for an OUPUT or INPUT-OUTPUT temp-table, then the
records passed back from the called routine are appended to the end of the data already in the temp-table in the calling routine. Otherwise, the new data replaces whatever the contents of the temp-table were at the time of the call

5. If you use the BY-REFERENCE option, the calling routine and the called routine
access the same temp-table instance. That is, both routines access the calling routines instance and ignore the called routines instance

6. If you use the BIND option, a temp-table defined as reference-only in one routine
binds to a temp-table instance defined and instantiated in another local routine

7. In the called routine, you must define temp-table parameters in this way for an
INPUT or INPUT- OUTPUT

table:

(called)
DEFINE

INPUT | INPUT-OUTPUT] PARAMETER TABLE FOR

temp-table-name

APPEND

][

BIND ].

8. In the called routine, you must define temp-table parameters in this way for an
INPUT or INPUT-OUTPUT

table:

DEFINE OUTPUT PARAMETER TABLE FOR temp-table-name

BIND ].

9. You must define the temp-table in both routines. The temp-table definitions must match with respect to the number of fields and the data type of each field (including the array extent if any). The field data types make up what is called the signature of the table. 10. Other attributes of the tables can be different. The field names do not have to match. The two tables do not need to have matching indexes, because the AVM dynamically builds the appropriate indexes for the table when it is instantiated either as an INPUT parameter in the called routine or as an OUTPUT parameter in the calling routine. Other details, such as field labels and formats, also do not have to match.

11. You can pass a temp-table parameter by value, by reference, or by binding.

Passing a temp-table by value: if the calling routine and the called routine are in different OpenEdge sessions, the temp-table parameter is always passed by value. When you pass a temp-table as a parameter from one routine to another, whether those routines are in the same OpenEdge session or not, the AVM normally copies the temp-table to make its data available to the called routine. Copying the table so that both the calling and the called routines have their own distinct copies is referred to as passing the table by value. This can be very expensive if the temp-table contains a large number of records. If you are making a local routine call, you can use BY-REFERENCE or BIND to avoid copying the table and thereby gain a significant performance advantage. Passing a temp-table by reference:
RUN internal-procedure-name IN procedure-handle

([

INPUT

INPUT-OUTPUT

OUTPUT

TABLE temp-table-name BY- REFERENCE

1 . Passing the callers temp-table BY- REFERENCE saves all the overhead of copying the temp-table definition and data. If the call is remote, then the AVM ignores the BYREFERENCE keyword and passes the temp-table by value, as it must in that case.

2. You can only specify BY- REFERENCE on an internal procedure or user-defined


function call, not on a RUN of an external procedure. When you pass a temp-table parameter by reference, the called routines temp-table definition is bound to the calling routines temp-table only for the duration of the call.

3. To pass a temp-table by reference, in the calling routine, use the BY- REFERENCE
keyword in the RUN statement that defines the temp-table parameter.

4. the REFERENCE-ONLY keyword tells ABL to use the definition for compiler references
to the table and its fields but not to instantiate it at run time. Any reference to the temp-table, except where it is passed in from another routine BY- REFERENCE , results in a runtime error DEFINE TEMP-TABLE temp-table-name REFERENCE-ONLY Passing a temp-table parameter by binding:

1. Starting with OpenEdge Release 10.1A, you can also save the overhead of copying
a temp-tables definition and data on a local call by using the BIND keyword. You use this keyword in both the calling and called routines to tell the AVM to bind both temp-table references to the same temp-table instance. In the calling routine, you add the keyword to the parameter in the RUN statement, instead of the BY- REFERENCE keyword:
RUN internal-procedure-name IN procedure-handle

([

INPUT | INPUT- OUTPUT

OUTPUT

TABLE temp-table-name BIND

2. In the called routine, you specify the keyword as part of the parameter definition:
DEFINE [ INPUT | INPUT-OUTPUT temp-table-name BIND

OUTPUT

PARAMETER TABLE FOR

3. The most basic case where you would want to use the BIND keyword is when you
want to use the called routines temp-table instance instead of the calling routines instance. For example, you may have a routine in your application that has a cache of useful data, such as all Item values for use in entering an Order, which it has retrieved from the database and stored in a temp-table. Other routines running in the same session might want access to this data, for example to display the list of Items in a selection list. To save the overhead of copying the temp-table to all the other routines that want to share its data, you can bind the callers to the called routines temp-table cache. To pass a temp-table by binding from the called routine to the calling routine: 1. In the calling routine, define the temp-table as REFERENCE-ONLY. This tells the AVM not to instantiate the callers temp-table when the routine is first run. 2. In the calling routine, specify the BIND keyword in the RUN statement that uses the

temp-table parameter. This tells the AVM to bind both ends of the call to the same temp-table instance. 3. In the called routine, define the temp-table parameter with the BIND keyword. This confirms to the AVM that both ends of the call are to refer to the same instance. You must always specify BIND on both ends of the call. 4. Define the temp-table parameters in both routines as OUTPUT . This tells the AVM to use the called routines temp-table instance and change all references within the caller to point to it. To pass a temp-table by binding from the calling routine to the called routine: 1. In the called routine, define the temp-table as REFERENCE-ONLY . 2. In the called routine, define the temp-table parameter with the BIND keyword. 3. In the calling routine, specify the BIND keyword in the RUN statement that uses the temp-table parameter. 4. Make sure that the parameter mode matches in both routines. That is, they must both be defined as INPUT- OUTPUT or both be defined as INPUT parameters.

4. You can use the BIND syntax to change the scope of the temp-table that is passed
from caller to called routine. When you use BY- REFERENCE in an internal procedure call, as was described earlier, the scope of the temp-table is limited to that one call. That is, the AVM changes the temp-table references (within the internal procedure you run) to refer back to the caller. When the internal procedure completes and returns to the caller, the association ends

5. table describes how to decide between passing a temp-table as a parameter using


BY-REFERENCE

the keyword versus using BIND

( Passing a temp-table by reference versus by binding)

Defining a procedure to return Order Lines;(do practical)


Using BUFFER-COPY to assign multiple fields ;(do practical)

Using include files to duplicate code:(do practical)


Adding an Order Line browse to the Customer window:(do practical)

Using the Browse Object:

A browse is a visual representation of a query

Defining a query for a browse:


By default, a query against database tables uses SHARE-LOCK

When you associate a browse with a query (by way of the DEFINE BROWSE statement), Progress automatically changes the query to use the NO-LOCK and SCROLLABLE options You can also associate a query with a browse at run time. In this case, you should make the query SCROLLABLE when you define it Once you define the query, define the browse, and open the query, the browse and the query become tightly bound. The currently selected row and the result list cursor are in sync and remain so As a rule, a query associated with a browse should be used exclusively by that browse. While you can use GET statements on the query to manipulate the querys cursor, the result list, and the associated buffers, you run the risk of putting the browse out of sync with the query. If you do mix browse widgets and GET statements with the same query, you must use the REPOSITION statement to manually keep the browse in sync with the query

Planning for the size of the result set: Defining a browse:


You can browse records by defining a browse for the query and opening the query. If you do not specifically enable the browse columns, the result is a read-only browse. Once the user finds and selects a record, your application can use the selected record, which the associated query puts in one or more associated buffers. This is the general syntax for a browse definition:

DEFINE BROWSE browse-name QUERY query-name [ SHARE-LOCK | EXCLUSIVE- LOCK | NO-LOCK ] DISPLAY { column-list | record [ EXCEPT field ... ] } [ browse-enable-phrase ] browse-options-phrase . If you just specify the DISPLAY list, the browse is read-only. None of its cells are enabled for input. The browse-enable-phrase lets you enable one or more cells for input:
ENABLE { column . . | .ALL [ EXCEPT column . . .] }

Each column in the ENABLE phrase must be a column in the DISPLAY list. If you want to enable all or almost all the columns, you can use the ALL keyword optionally followed by an EXCEPT list.
Here are some of the more important options:
rows DOWN

WIDTH width

] You can specify how many rows to display

As an alternative, you can define the size of the browse in both dimensions MULTIPLE | SINGLE You can let the user select only a single row at a time or multiple SEPARATORS | NO-SEPARATORS Separators are vertical and horizontal lines between columns and rows NO-ROW-MARKERS By default, an updateable browse displays row markers, which let the user select currently displayed rows in an updateable browse widget without selecting any particular cell to update. This option prevents row markers from being displayed.
SIZE SIZE-PIXELS width BY height

NO-LABELS TITLE string

This option suppresses the display of column labels for the columns.

You can optionally display a title bar across the top of the browse.

NO-ASSIGN

If this option is not specified, data entered into an updateable browse is assigned on any action that results in a ROW-LEAVE event. The NO-ASSIGN option is intended for use with user-defined triggers on the ROW-LEAVE event. Essentially, when you specify this option, all data assignments by way of the updateable browse are up to you

NO-SCROLLBAR-VERTICAL

SCROLLBAR-VERTICAL

By default, a browse gets a vertical Scrollbar

ROW-HEIGHT-CHARS

ROW-HEIGHT-PIXELS

(GUI only) By default, Progress assigns a row height appropriate for the font size used in the browse

FIT-LAST-COLUMN

(GUI only) This option allows the browse to display so that there is no empty space to the right and no horizontal scroll bar

Changing the test window for the OrderLine browse:(do practical)


The browse options phrase specifies: NO-ROW-MARKERS Provides the default when there are no enabled columns. SEPARATORS Provides the lines between columns and rows. 7 DOWN Provides the height of the browse in terms of rows displayed (because there is no WIDTH phrase all columns are displayed in full). ROW-HEIGHT-CHARS Specifies the precise height of each row. The value 57 is the same value Progress would provide for the default font if you left this option out.

Enabling columns in the browse:


ENABLE ttOline.Price ttOline.Qty ttOline.Discount WITH SEPARATORS 7 DOWN ROW-HEIGHT-CHARS .57.

Defining a single- or multiple-select browse:


DO: DEFINE VARIABLE iRow AS INTEGER NO-UNDO. DEFINE VARIABLE hBrowse AS HANDLE NO-UNDO. hBrowse = BROWSE OlineBrowse:HANDLE. DO iRow = 1 TO hBrowse:NUM-SELECTED-ROWS: hBrowse:FETCH-SELECTED-ROW(iRow). dTotal = dTotal + ttOline.ExtendedPrice. END. DISPLAY dtotal WITH FRAME CustQuery. END.

The NUM-SELECTED-ROWS attribute returns the number of rows the user has selected in the browse. You can then use the FETCH-SELECTED-ROW method, which takes the sequence within the list of selected rows as an argument

Browse selection and query interaction:

Using the GET statement (such as GET NEXT ) to navigate within the result list of the query has no effect on the browse. However, the REPOSIT ION statement does update the current position of the browse. If you use GET statements for a query on which a browse is defined, you should use the REPOSIT ION statement to keep the browse synchronized with the query. Also, when you open or reopen the query with the OPEN QUERY statement, the browse is automatically refreshed and positioned to the first record.

Using calculated columns:


DEFINE VARIABLE iPromiseDays AS INTEGER NO-UNDO.

You do this by including the expression for the calculation in the followed by the at-sign (@) followed by the name of the placeholder variable that is used to store the value and represent its display format
DISPLAY list

DEFINE BROWSE OrderBrowse QUERY OrderBrowse NO-LOCK DISPLAY Order.Ordernum FORMAT "zzzzzzzzz9":U WIDTH 10.2 Order.OrderDate FORMAT "99/99/99":U Order.PromiseDate FORMAT "99/99/99":U Order.ShipDate FORMAT "99/99/9999":U Order.PromiseDate - Order.OrderDate @ iPromiseDays COLUMN-LABEL "Promise!Days" Order.PO FORMAT "x(20)":U WIDTH 17.2 WITH NO-ROW-MARKERS SEPARATORS SIZE 65 BY 6.19 ROW-HEIGHT-CHARS .57 EXPANDABLE.

Sizing a browse and browse columns:


The horizontal scrollbar can work in two different ways. By default, the browse scrolls whole columns in and out of the viewport. To change this behavior to pixel scrolling, specify the NO-COLUMN-SCROLLING option of the DEFINE BROWSE statement or set the COLUMN-SCROLLING attribute to No at run time

Specifying a widget type for displaying column data:


VIEW-AS combo-box-phrase

TOGGLE-BOX

If you do not specify a VIEW-AS phrase for the browse column, the widget type for the column will be a FILL-IN, by default. Specifying the widget type in the VIEW-AS attribute for a buffer-field object before creating the column with the ADD-LIKE-COLUMN( ) or ADD-COLUMNS-FROM( ) method Passing the widget type as an optional parameter to the ADD-CALC-COLUMN( ) or ADD-LIKE-COLUMN( ) method

Programming with the browse:


This section covers the essential events supported by the browse, including: Basic events Occur when the user selects a row in the browse or scrolls through the data in the browse. Row events Occur when the user enters or leaves a particular browse row or when the browse displays data values in a row. Column events Occur when the user enters or leaves an enabled cell for a browse column. Basic events The basic browse events include: VALUE-CHANGED Occurs each time the user selects or deselects a row. Note that the event name is slightly misleading in that it is not meant to imply that the value of the data in the row has been modified, only that a different row has been selected. HOME Occurs when the user repositions the browse to the beginning of the querys result set by pressing the HOME key. END Occurs when the user repositions the browse to the end of the querys result set by pressing the END key. OFF-END and OFF-HOME Occur when the user uses the vertical scrollbar or arrow keys to scroll all the way to the end or the top of the browse. DEFAULT-ACTION Occurs when the user presses RETURN or ENTER or when the user double-click a row. DEFAULT-ACTION also has the side effect of selecting the row that is currently highlighted. SCROLL-NOTIFY Occurs when the user adjusts the scrollbar.

Typically, you use the VALUE-CHANGED and DEFAULT-ACTION events to link your browse to other

parts of your application

To define a DEFAULT-ACTION trigger for the Order browse


DO: MESSAGE "This Order's SalesRep is " Order.SalesRep SKIP "and the terms are " Order.Terms VIEW-AS ALERT-BOX. END.

Row events The browse supports three row-specific events: ROW-ENTRY Occurs when a user enters edit mode on a selected row. This occurs when the user clicks on an enabled cell within a row. ROW-LEAVE Occurs when the user leaves edit mode. This occurs when the user leaves the enabled cells within a row, either by selecting a different row or selecting a nonenabled cell within the same row. ROW-DISPLAY Occurs when a row becomes visible in the browse viewport.

For example, you can create a ROW-DISPLAY event for the OrderBrowse in your test window with this code:

DO: Order.PO:SCREEN-VALUE IN BROWSE orderBrowse = "PO" + STRING (Order.OrderNum). IF Order.ShipDate = ? THEN ShipDate:BGCOLOR IN BROWSE OrderBrowse = 12. END.

This changes the displayed value for the PO column and also checks the value of the ShipDate and changes its background color to signal that the ShipDate has not been entered

The ROW-DISPLAY event lets you change the color and font attributes of a row or individual cells or to reference field values in the row. The event also lets you change the format of a browsecell by changing the value of its FORMAT attribute. You can also use the ROW-DISPLAY event to change the SCREEN-VALUE of one or more cells within the row. Column events

There are LEAVE and ENTRY events that reference the browse object itself. For example

On ENTRY OF OrderBrowse DO: . .

. END.

You can also write LEAVE and ENTRY triggers for individual columns. These triggers can refer to Fields

DO: IF Order.PO:SCREEN-VALUE IN BROWSE OrderBrowse BEGINS "X" then Order.PO:BGCOLOR IN BROWSE OrderBrowse = 12. /* RED */ END.

Or more simply, you can use the SELF keyword to refer to the cell:

DO: IF SELF:SCREEN-VALUE BEGINS "X" then SELF:BGCOLOR = 12. /* RED */ END.

Searching columns:

There are also two events that let you interact with search mode. START- SEARCH occurs when the user chooses a column label. END-SEARCH occurs when the user enters edit mode on a cell or selects a row. You can apply both of these events to columns to force the start and end of search mode.

Note: A column search on a browse associated with a query with the INDEXED-REPOSIT ION option does not wrap to the top of the column if it cannot find a record to satisfy the search. This behavior is a side effect of the reposition optimization. To work around this, you can apply HOME to the query before starting the search.

There are two ways to extend this basic behavior.: You can configure an updateable browse to look like a read-only browse. This technique gives you selectable columns and searching on those columns even when you dont want to allow rows in the browse to be modified. You can use the START- SEARCH and END-SEARCH browse events to trap the beginning and end of search mode and write to your own search routines. Note: The column searching capability is not available in character interfaces.

Manipulating rows in the browse:


Refreshing browse rows
DISPLAY column-name ... WITH BROWSE browse-name.

Repositioning focus:

The REPOSIT ION statement moves the database cursor to the specified position and adjusts the browse viewport to display the new row. To avoid display flashing when doing programmatic repositions, you can set the REFRESHABLE browse attribute to FALSE , do the REPOSIT ION, and then set REFRESHABLE to TRUE. This suspends any redisplay of the browse until after the operation is complete.

In addition, the SET-REPOSITIONED-ROW( ) method gives you control over the position in the viewport where the browse displays the repositioned row. The method takes two arguments:

1. Its first Integer argument tells Progress which row (that is within the browse viewport) to position to. For example, if your browse displays seven rows at a time, you could use the SET-REPOSITIONED-ROW method to show a newly positioned row in the middle of the viewport by using an argument value of 4. 2. The second Character argument to the method can be ALWAYS or CONDITIONAL. If you specify ALWAYS, the browse is always adjusted to show the repositioned row in the specified position. If you specify CONDITIONAL, then the browse adjusts only if the repositioned row is not already in the viewport.

Note that normally you set SET-REPOSITIONED-ROW( ) once for the session for a browse to establish its behavior wherever it is used. You can also use the GET-REPOSITIONED-ROW() method to return as an Integer the current target viewport row for repositions.

To reposition the query and the browse along with it

the SET-REPOSITIONED-ROW( ) method gives you control over the position in the viewport where the browse displays the repositioned row. The method takes two arguments:
1. Its first integer argument tells the AVM which row (that is within the browse viewport) to position to. For example, if your browse displays seven rows at a time, you could use the SET-REPOSITIONED-ROW method to show a newly positioned row in the middle of the viewport by using an argument value of 4. 2. The second character argument to the method can be ALWAYS or CONDITIONAL. If you specify ALWAYS, the browse is always adjusted to show the repositioned row in the specified position. If you specify CONDITIONAL, then the browse adjusts only if the repositioned row is not already in the viewport.

Note that normally you set SET-REPOSITIONED-ROW( ) once for the session for a browse to establish its behavior wherever it is used. You can also use the GET-REPOSITIONED-ROW() method to return as an Integer the current target viewport row for repositions.

Define this LEAVE trigger for the fill-in field:

DO: BROWSE OrderBrowse:SET-REPOSITIONED-ROW(3, "CONDITIONAL"). ASSIGN iOrder. FIND Order WHERE order.orderNum = iOrder NO-ERROR. IF AVAILABLE (Order) THEN REPOSITION OrderBrowse TO ROWID ROWID(Order) NO-ERROR. END.

Updating browse rows: Assuming that the browse starts with the record in NO-LOCK state, Progress follows these steps: On any user action that modifies data in an editable browse cell, Progress again gets the record with a SHARE-LOCK , which means that no other user can change the record. If the data has changed, Progress warns the user and redisplays the row with the new data. When the user leaves the row and has made changes to the row, Progress starts a transaction (or subtransaction) and gets the record from the database with EXCLUSIVE- LOCK NO-WAIT , which means that no other user can lock the record in any way. If no changes were made, Progress does not start a transaction. If the GET with EXCLUSIVE- LOCK is successful, Progress updates the record, disconnects it (removes the lock), ends the transaction, and downgrades the lock to its original status. If the GET with EXCLUSIVE- LOCK fails, Progress backs out the transaction, displays an error message, keeps the focus on the edited row, and retains the edited data. You also have the option to disable this default behavior and programmatically commit the changes by way of a trigger on the ROW-LEAVE event. To do this, you must supply the NO-ASSIGN option in the DEFINE BROWSE statement Creating browse rows: this requires three separate steps: 1. Create a blank line in the browse viewport with the INSERT- ROW() method and populate it with new data. INSERT- ROW takes a single optional argument, which is the string BEFORE or AFTER. This argument tells Progress whether to insert the new row before or after the currently selected row in the browse. The default is BEFORE . You can use the INSERT- ROW() browse method in an empty browse. It places a new row at the top of the viewport. 2. Use the CREATE statement and ASSIGN statement to update the database or the underlying temp-table. 3. Add a reference to the result list with the CREATE- RESULT- LIST- ENTRY( ) method. This is the list of record identifiers that Progress uses to keep track of the set of rows in the query. This step is only necessary if you do not plan to reopen the query after the update, because reopening the query completely refreshes the list. However, this method makes reopening the query unnecessary for most applications. All three steps are required to create the record and keep the database, query, and browse in sync. Also, there are several possible side effects to allowing the user to add a record through an updateable browse. They include placing new records out of order and adding records that do not match the query. To eliminate these side effects, you can reopen the query after each new record is added. To add a button to the test window that lets you add new OrderLines to the temp-table through the OlineBrowse

Assign the OlineBrowse handle to the new hBrowse variable:

DEFINE VARIABLE hBrowse AS HANDLE NO-UNDO. DEFINE BUFFER ttOline2 FOR ttOline. hBrowse = BROWSE OlineBrowse:HANDLE.

Define a

CHOOSE

trigger for the button:

DO: IF hBrowse:NUM-SELECTED-ROWS = 0 THEN DO: APPLY "END" TO hBrowse. hBrowse:SELECT-FOCUSED-ROW(). END. hBrowse:INSERT-ROW("AFTER"). END.

Back in the procedures Definitions section, add this ROW-LEAVE trigger block for the OlineBrowse following the statement that assigns its handle to hBrowse :
ON "ROW-LEAVE" OF BROWSE OlineBrowse DO: IF hBrowse:NEW-ROW THEN DO: FIND LAST ttOline2. CREATE ttOline. BUFFER-COPY ttOline2 TO ttOline ASSIGN ttOline.LineNum = ttOline2.LineNum + 1. ASSIGN INPUT BROWSE OlineBrowse ttOline.Qty ttOline.Price ttOline.Discount. DISPLAY ttOline.OrderNum ttOline.LineNum ttOline.ItemNum ttOline.ItemName WITH BROWSE OlineBrowse. hBrowse:CREATE-RESULT-LIST-ENTRY(). END. END.

Deleting browse rows: First, you need to delete the record from the underlying temp-table or database table, and then you need to remove the record from the browse itself, along with the querys result list If you are browsing a database table directly and the user indicates a deletion, you should again get the records by EXCLUSIVE- LOCK and then use the DELETE statement to remove the records from the database.

NO-WAIT

In the case of a temp-table, you can simply use the DELETE statement to remove the records. use the DELETE- SELECTED-ROWS( ) method to delete one or more selected records from both the browse widget and the associated query result list

Write this

CHOOSE

trigger for the new button

DO: DEFINE VARIABLE iRow AS INTEGER NO-UNDO. DO iRow = 1 TO hBrowse:NUM-SELECTED-ROWS: hBrowse:FETCH-SELECTED-ROW(iRow). DELETE ttOline. END. hBrowse:DELETE-SELECTED-ROWS(). END.

Because the OlineBrowse is a multiple-selection browse, you can use it to delete one or more rows at once. This code walks through the set of selected rows and retrieves each one in turn using the FETCH-SELECTED-ROW method. This method repositions the temp-table query to that row, so that it can be deleted. The code then uses the DELETE- SELECTED-ROWS method to delete all the rows from the browse itself, along with the querys result list entries for them.

Manipulating the browse itself:


There are various ways in which you can allow users to change the appearance of the browse at run time Setting the query attribute for the browse: When you define a browse, you must associate it with a previously defined query. This association allows Progress to identify the source for the browse columns and other information.

When you set the QUERY attribute, Progress immediately refreshes the browse with the results of the new query. If the query is not open then Progress empties the browse.

To define a different query on the Order table to alternate with the display of Customers of the current Order:

In the Definitions section of h- CustOrderWin5.w add these lines: ,

DEFINE BUFFER bOrder2 FOR Order. DEFINE QUERY qOrderDate FOR bOrder2 SCROLLING. DEFINE VARIABLE lOrderDate AS LOGICAL NO-UNDO.

Define this CHOOSE trigger for the button:

DO: IF NOT lOrderDate THEN DO: /* If the standard query is displayed, open the query for Orderdates and make that the browse's query. Hide the OrderLine browse while we're doing this, and adjust the button label accordingly. */ OPEN QUERY qOrderDate FOR EACH bOrder2 WHERE bOrder2.OrderDate = Order.OrderDate. ASSIGN BROWSE OrderBrowse:QUERY = QUERY qOrderDate:HANDLE

/* Signal that we're showing the OrderDate query. */ lOrderDate = TRUE hBrowse:HIDDEN = TRUE SELF:LABEL = "Show Customer's Orders". END. ELSE /* If we're showing the OrderDate query, switch back to the regular query for the current Customer's Orders. */ ASSIGN BROWSE OrderBrowse:QUERY = QUERY OrderBrowse:HANDLE lOrderDate = FALSE hBrowse:HIDDEN = FALSE SELF:LABEL = "Show all on this Date". END.

Create a local copy of the these lines to it:

h- ButtonTr ig1 . i include

file, call it h- ButtonTr ig2,. iand add

/* h-ButtonTrig2.i -- include file for the First/Next/Prev/Last buttons in h-CustOrderWin5.w. */ GET {1} CustQuery. IF AVAILABLE Customer THEN DISPLAY Customer.CustNum Customer.Name Customer.Address Customer.City Customer.State WITH FRAME CustQuery IN WINDOW CustWin. IF lOrderDate THEN APPLY "CHOOSE" TO btnOrderDate. {&OPEN-BROWSERS-IN-QUERY-CustQuery} APPLY "VALUE-CHANGED" TO OrderBrowse.

Accessing the browse columns:

You can get the handle of any browse column by walking through the list of browse columns from left to right. This section introduces you to this concept These are the basic attributes you need to identify any column in a browse:

NUM-COLUMNS This browse attribute returns the number of columns in the browse. You can use this as a limit, for example, in a DO statement that looks at every column. CURRENT-COLUMN This browse attribute returns the handle of the currently selected column in the browse, if the user has clicked on a column. FIRST-COLUMN This browse attribute returns the handle of the first (leftmost) column in the browse. Use this attribute to get started walking through the columns. NEXT-COLUMN This is an attribute of each browse column, not of the browse itself. After retrieving the handle of the first column using the FIRST- COLUMN attribute, you then retrieve the columns NEXT-COLUMN attribute to walk through the columns. PREV-COLUMN This column attribute returns the handle of the previous column, that is, the one to the current columns left in the browse.

Locking columns: You can use the NUM-LOCKED-COLUMNS attribute to prevent one or more browse columns from scrolling out of the browse viewport when the horizontal scrollbar is used

locked

NUM-LOCKED-COLUMNS

Locked columns are always the leftmost columns in the browse. In other words, if you set to 2, the first two columns listed in the DEFINE BROWSE statement are

ASSIGN OrderBrowse:NUM-LOCKED-COLUMNS IN FRAME CustQuery = 2.

Moving columns: You can use the MOVE-COLUMN( ) method to rearrange the columns within a browse. For example, rather than forcing the users to scroll horizontally to see additional columns, you might allow them to reorder the columns. MOVE-COLUMN takes two arguments: The integer sequence within the browse of the column to move, counting from left to right. The integer position to move the column to, again counting from left to right.

START- SEARCH

The following simple example shows how to use the MOVE-COLUMN method along with the event and the column attributes introduced earlier(do practical) define this START- SEARCH trigger block for the OrderBrowse:

DO: DEFINE VARIABLE hColumn AS HANDLE NO-UNDO. DEFINE VARIABLE iColumn AS INTEGER NO-UNDO. hColumn = SELF:FIRST-COLUMN. DO iColumn = 1 TO SELF:NUM-COLUMNS: IF hColumn = SELF:CURRENT-COLUMN THEN LEAVE. hColumn = hColumn:NEXT-COLUMN. END. IF iColumn NE 1 THEN SELF:MOVE-COLUMN(iColumn, iColumn - 1). END.

Overlaying objects on browse cells:(do practical)

Browse style options:


Using stacked labels Justifying labels Using color to distinguish updateable columns Using color and font to distinguish cells Establishing ToolTip information Using a disabled updateable browse as a read-only browse

Resizable browse objects:


In graphical interfaces, you (the programmer) and the user can: Resize the browse.

Move the browse. Resize a column of the browse. Move a column of the browse. Change the row height of the browse.

TRUE ,

To let the user resize a browse, you set the browse's RESIZABLE and SELECTABLE attributes to as the following code fragment shows:

ASSIGN CustBrowse:RESIZABLE = TRUE CustBrowse:SELECTABLE = TRUE.

To resize a browse programmatically, you set the browses WIDTH-CHARS or WIDTH-PIXELS, or HEIGHT- PIXELS, or DOWN attributes as desired. The following code fragment programmatically resizes a browse to 50 characters wide by 40 characters high:
HEIGHT- CHARS ASSIGN CustBrowse:WIDTH-CHARS = 50 CustBrowse:HEIGHT-CHARS = 40. OR ASSIGN CustBrowse:RESIZABLE = TRUE CustBrowse:SELECTABLE = TRUE.

Moving the browse:


To let the user move a browse, you set the browses MOVABLE attribute to TRUE, as the following code fragment shows:
CustBrowse:MOVABLE = TRUE.

The following code fragment programmatically moves a browse to the point (50,50) (in pixels) relative to the parent frame:
ASSIGN CustBrowse:X = 50 CustBrowse:Y = 50 .

Resizing the browse column:


To let the user resize a browse column, use one of the following techniques: To let the user resize any column of a browse, you set the browse's COLUMN-RESIZABLE attribute to TRUE. To let the user resize a single column of a browse, you set the column's RESIZABLE attribute to TRUE. To resize a column through direct manipulation, the user drags a column separator horizontally. To resize a column programmatically, you set the column's WIDTH-CHARS or WIDTH-PIXELS attribute.

Moving the browse column:


To let the user move the columns of a browse, use one of the following techniques: To let the user move any column of a browse, you set the browses COLUMN-MOVABLE attribute to TRUE. To let the user move a single column, you set the columns MOVABLE attribute to TRUE.

To move a column at run time, the user drags a column label horizontally. (If the user drags a column label to either edge of the viewport, the AVM scrolls the viewport.) To move a browse column programmatically, you use the MOVE-COLUMN method of the browse, as shown earlier

Changing the row height of the browse:


To let the user change the row height of a browse, you set the browses ROW-RESIZABLE attribute to TRUE . To change the row height of a browse, the user vertically drags a row separator that appears at run time. To change the row height programmatically, you set the browses ROW-HEIGHT- CHARS or ROW-HEIGHT- PIXELS attribute.

Additional attributes:
SEPARATORS (attribute of the browse) Indicates if the browse displays separators between each row and each column SEPARATOR-FGCOLOR ( attribute of the browse) Sets the color of the row and column separators, if they appear

User manipulation events


When the user moves or resizes a browse or one of its components, the AVM fires one or more of the following events:
START- MOVE END-MOVE START- RESIZE END-RESIZE START- ROW-RESIZE END-ROW-RESIZE SELECTION DESELECTION

Using browse objects in character interfaces:


Browse objects in character interfaces operate in two distinct modes: row mode and edit mode.

Character browse modes:


The asterisks (*) are row markers that indicate editable rows in an updateable browse. Row markers do not appear: In a read-only browse In an editable browse defined with the NO-ROW-MARKERS option

Control keys:

Functional differences from the Windows graphical Browse:


there are differences from the Windows graphical browse in: Font management Color management Row and cell navigation Font management Because there is no font management within character interfaces, all font attributes are inactive for the character browse. Color management For color terminals, the character browse supports the following attributes to manage its color: LABEL-DCOLOR Specifies the color of a column label (like LABEL- FGCOLOR for the Windows browse). COLUMN-DCOLOR Specifies the color of a single column (like COLUMN-FGCOLOR for the Windows browse).
DCOLOR Specifies the color of an individual cell (like FGCOLOR for the Windows browse). You can only specify the color of an individual cell as it appears in the view port. For more information on specifying individual cell color, see the Browse events section on page 1221. COLUMN-PFCOLOR Specifies the color of the enabled (updateable) column with input focus (unsupported for the Windows browse). PFCOLOR Specifies the color of the updateable cell with input focus (handled by default processing for the Windows browse).

Row and cell navigation: Unlike the Windows graphical browse, the character browse does not support column searching

Tabbing between cells occurs only in the edit mode of the character browse using the EDIT- TAB and BACK-TAB key functions. Tabbing backward from the character browse to a sibling object occurs only in row mode using the BACK-TAB key function.

Advanced Use of Procedures in ABL


RETURN statement and RETURN-VALUE:

Whenever a procedure, whether internal or external, terminates and returns control to its caller, it returns a value to the caller. You can place a RETURN statement at the end of your procedure to make this explicit, and to specify the value to return to the caller:

RETURN

return-value ].

The return-value must be a character value, either a literal or an expression. The caller (calling procedure) can access this return-value using the built-in RETURN-VALUE function.
RUN subproc (INPUT cParam). IF RETURN-VALUE = . . . THEN . .

Using persistent procedures:


Running a procedure PERSISTENT:

ABL lets you run a procedure so that it stays in memory for as long as you need it, without it being dependent on, or in any way subordinate to, the procedure that runs it. RUN procedure-name PERSISTENT [ SET proc-handle ] [ ( parameters )].

The PERSISTENT keyword in the statement tells the AVM to start the procedure and to leave it in memory, either until you delete it or until your session ends.

THIS-PROCEDURE built-in function:

Whenever you run a procedure, persistent or not, you can retrieve its procedure handle using the built-in function THIS- PROCEDURE . This is useful when you want to access attributes or methods of the current procedure In most cases, you use procedure handles and the THIS- PROCEDURE function when you run persistent procedures. However, keep in mind that every running procedure, whether it is persistent or not, has a procedure handle that is held in THIS- PROCEDURE A non-persistent procedure can pass THIS- PROCEDURE as an INPUT parameter to anther procedure, and the subprocedure can use that value to access internal procedures and other elements of the parent procedure This parent procedure passes its own procedure handle to another procedure as a parameter:

/* Procedure parentproc.p -- this runs another procedure and passes in its own procedure handle. */ RUN childproc.p (INPUT THIS-PROCEDURE). PROCEDURE parentInternal: DEFINE INPUT PARAMETER cString AS CHARACTER NO-UNDO.

MESSAGE "The child sent the parent " cString VIEW-AS ALERT-BOX. END PROCEDURE.

The child procedure can then use the parents handle to run the internal procedure in the parent:

/* childproc.p -- called from parentproc.p, it turns around and uses the parent's procedure handle to run an internal procedure inside it. */ DEFINE INPUT PARAMETER hParent AS HANDLE NO-UNDO. RUN parentInternal IN hParent (INPUT "this child message").

Instantiating the persistent procedure:

The difference is that when you run it PERSISTENT, the procedure stays in memory so that you can run internal procedures in it later on.

1. MainProc .p RUN SubProc .p PERSISTENT s and saves off its procedure handle in the hProc variable. The main block of SubProc.p defines a variable and then executes the startup code represented by the DO this and DO that statements. 2. The instantiation of the persistent procedure SubProc.p is complete. It returns control to MainProc.p, passing back through the SET phrase the procedure handle its been given. SubProc.p now is removed from the call stack. At this point, and for the duration of MainProc.p, the hProcvariable holds the procedure handle of the running instance of SubProc.p. Parameters and persistent procedures:

If you pass INPUT parameters to it, they are available throughout the life of the persistent procedure. If you pass OUTPUT parameters to it, their values are returned to the caller at the end of the persistent procedures instantiation best model for using persistent procedures is to initiate them with a RUN statement, and then to access the procedures contents afterwards with other statements

Using a persistent procedure as a run-time library: The only way to run an internal procedure that isnt local to the caller is with a persistent procedure. In this way, running an internal procedure defined in some other procedure file is a two-step process: 1. Run the procedure file that contains it as a persistent procedure, or alternatively, to obtain the handle of an instance of the procedure thats already running. 2. Run the internal procedure in that handle, using this syntax:
RUN internal-proc IN proc-handle

( parameters ) ].

Obtaining a procedure handle for a persistent procedure:

procedure that instantiates the persistent procedure can get its handle back easily with the SET phrase on the RUN statement

Using the SESSION handle to locate running procedures:

If you want to examine a list of all running persistent procedures, you start with the SESSION:FIRST-PROCEDURE attribute. This attribute evaluates to the procedure handle of the first of a list of all running procedures.

you can walk through a sequence of all procedures using the NEXT-SIBLING attribute, which also returns a procedure handle, or with the PREV-SIBLING attribute if you want to walk backwards through the list. The last procedure in the list is available using the LAST-PROCEDURE attribute searches the sessions procedure list for an internal procedure it wants to run:

/* h-FindUseful.p -- searches for a persistent procedure with a useful routine to run. */ DEFINE VARIABLE hUseful AS HANDLE NO-UNDO. RUN h-UsefulProc.p PERSISTENT SET hUseful. DEFINE VARIABLE hProc AS HANDLE NO-UNDO. hProc = SESSION:FIRST-PROCEDURE. DO WHILE VALID-HANDLE(hProc): IF LOOKUP ("UsefulRoutine1", hProc:INTERNAL-ENTRIES) NE 0 THEN DO: RUN UsefulRoutine1 IN hProc. LEAVE. END. hProc = hProc:NEXT-SIBLING. END. DELETE PROCEDURE hUseful.

defines some internal procedures that other procedures in the session would like to run:

/* h-UsefulProc.p -- has an internal procedure others want to find. */ PROCEDURE UsefulRoutine1: MESSAGE "It would be useful if you ran this." VIEW-AS ALERT-BOX. END PROCEDURE. PROCEDURE UsefulRoutine2: MESSAGE "This would be useful too." VIEW-AS ALERT-BOX. END PROCEDURE.

Useful procedure attributes and methods:


FILE-NAME attribute: PRIVATE-DATA attribute: INTERNAL-ENTRIES attribute: GET-SIGNATURE method:

here is a very simple procedure file that contains an internal procedure and a userdefined function:

/* h-testsig.p -- tests GET-SIGNATURE */ DEFINE INPUT PARAMETER cVar AS CHAR. PROCEDURE TestProc: DEFINE OUTPUT PARAMETER iValue AS INT. /* some procedure code */ END. FUNCTION TestFunc RETURNS INTEGER (INPUT dValue AS DECIMAL): /* some function code */ END.

The h- tests i g . procedure takes an INPUT parameter, the TestProc internal procedure p uses an OUTPUT parameter, and the TestFunc function takes an INPUT parameter and returns the data type INTEGER.

Heres another procedure that uses GET-SIGNATURE to get the signatures of all these routines

/* Procedure h-mainsig.p -- uses GET-SIGNATURE to return the signatures of a procedure and its internal-entries */ DEFINE VARIABLE hProc AS HANDLE NO-UNDO. DEFINE VARIABLE iProc AS INTEGER NO-UNDO. DEFINE VARIABLE cEntries AS CHARACTER NO-UNDO. DEFINE VARIABLE cMessage AS CHARACTER NO-UNDO. RUN h-testsig.p PERSISTENT SET hProc (INPUT "aa"). cEntries = hproc:INTERNAL-ENTRIES. cMessage = THIS-PROCEDURE:FILE-NAME + ": " + hproc:GET-SIGNATURE(""). DO iProc = 1 TO NUM-ENTRIES(cEntries): cMessage = cMessage + CHR(10) + ENTRY(iProc, cEntries) + ": " + hproc:GET-SIGNATURE(ENTRY(iProc, cEntries)). END. MESSAGE cMessage VIEW-AS ALERT-BOX.

This procedure executes as follows: 1. h- mains ig .pruns h- tests i g . persistent and saves off its procedure handle. p 2. h- mains ig .pgets the INTERNAL- ENTRIES attribute of the procedure, which should have the value TestProp,Tes tFunc . 3. It begins to build up a character string to display later with a MESSAGE statement. The first entry in the message string is THIS- PROCEDURE:F ILE- NAME. Because the built-in handle function THIS- PROCEDURE evaluates to the handle of the currently running procedure, this should return its filename, h- mains ig .p Passing the empty string to GET-SIGNATURE . returns the signature of the external procedure itself. 4. The code loops through all the entries in the INTERNAL- ENTRIES attribute, and for each once, saves off its name and signature. 5. To simulate a series of SKIP keywords that you could put into a MESSAGE statement, the code adds a new line character after the signature of each entry. The CHR( n) ABL built-in function takes an INTEGER value that represents the ASCII character code of any character, whether printable or not, and returns that ASCII character. In this case, 10 represents the new line character. Using a persistent procedure as shared code: This feature lets you implement procedures that act as libraries of shared routines that many other procedures need. In this case, you need to make sure that the code in the procedure is truly shareable. This means that routines in the procedure should not save any context information that is needed between calls, because there is often no way of predicting whether another procedure might run the same routines at that time. If you want to share a persistent procedure in your session, then there are a couple of ways you can do this: One way is to start all the persistent procedures your application needs at the very beginning of the session, or in the initialization of some module that uses them. You can save off their handles in a way similar to the examples youve already seen. Another technique is to structure your code in such a way that any procedure that wants to use the shared procedure needs to check to see whether a copy of it is already running, perhaps by looking it up in the same kind of procedure list or just by using the SESSION procedure list. If its already running, the code uses the copy thats there. If its not running yet, the code runs the procedure, saves off the handle to be available to others, and then uses it Using a persistent procedure to duplicate code: Deleting persistent procedures:
DELETE PROCEDURE procedure-handle

NO-ERROR

].

You can also use the VALID-HANDLE function, which you have seen in AppBuildergenerated code, to check whether a handle is still valid or not

IF VALID-HANDLE(hProc) THEN DELETE PROCEDURE hProc.

To add code to delete those procedures when the main window that starts them up is Deleted(do practical) Examples: Communicating between persistent procedures(do practical) Using SOURCE-PROCEDURE to identify your caller(do practical)

Shared and global objects in ABL procedures:


Using a variable definition as an example, this is the basic syntax for shared objects:
NEW

DEFINE

[[

SHARED

VARIABLE cString AS CHARACTER NO-UNDO.

The first procedure in the call stack to reference a shared object defines the shared object as NEW SHARED. This means that the AVM registers the definition and does not expect to find it already in the stack. Any subprocedures that want to share the object define it as SHARED. The two definitions must match exactly in every way that affects storage and treatment of the object this include file defines a shared variable:

DEFINE {1} SHARED VARIABLE cMyVar AS CHARACTER NO-UNDO.

This main procedure includes the definition and makes it

NEW SHARED:

inclvar.i NEW

}.

just reference the include file to define it as SHARED:

inclvar.i

Instead of passing parameters, this time the code shares a variable definition and a buffer definition

In general, a NEW SHARED object is available to be used, with a matching SHARED object definition, anywhere below the NEW SHARED definition in the call stack.
Why you generally shouldnt use shared objects: Global shared objects in ABL:

Defining Functions and Building Super Procedures: User-defined functions:


As you have already seen in the previous chapters discussion of INTERNAL- ENTRIES and the method, there is an alternative to the internal procedure as a named entry point within a procedure file. This is the user-defined function
GET- SIGNATURE

Defining a function:
This is the syntax you use to define the header for a function

FUNCTION function-name [ RETURNS ] datatype [ ( parameters ) ] :

Just as with internal procedures, you cannot define a temp-table or any shared object within the function. It has two important additional restrictions as well:
Within a function, you cannot define any input-blocking statements, such as a WAIT- FOR statement or any statement that prompts the user for input. You cannot reference a function within a Progress ASSIGN statement or other 4GL updating statement that could cause an index to be updated. The interpreter might not be able to deal with transaction-related code inside the function itself in the middle of the update statement. It is a very good practice to avoid using functions in any code statements that update the database. function must contain at least one RETURN statement: RETURN return-value.

it is normal to end a function with an explicit END FUNCTION statement to keep the organization of your procedure file clearer. The FUNCTION keyword is optional in this case but definitely good programming practice Making a forward declaration for a function:
To do this and still leave the actual implementation of the function toward the end of the file, you can provide a forward declaration of the function, also called a prototype This is the syntax for a forward declaration of a function:

FUNCTION function-name

RETURNS

datatype

[(

parameters

) }

FORWARD

|[

MAP

TO

actual-name

IN proc-handle

IN SUPER

places: In the beginning of the procedure. In another procedure. In a super procedure Making a local forward declaration:

A function prototype can point to an actual function implementation in one of three kinds of

If you use the FORWARD keyword in the function prototype, then this tells Progress to expect the actual function implementation later in the same procedure file.
/* h-ConvTemp1.p -- procedure to convert temperatures and demonstrate functions. */ FUNCTION CtoF RETURNS DECIMAL (INPUT dCelsius AS DECIMAL) FORWARD. DEFINE VARIABLE dTemp AS DECIMAL NO-UNDO. REPEAT dTemp = 0 TO 100: DISPLAY dTemp LABEL "Celsius" CtoF(dTemp) LABEL "Fahrenheit" WITH FRAME f 10 DOWN. END.

FUNCTION CtoF RETURNS DECIMAL (INPUT dCelsius AS DECIMAL): RETURN (dCelsius * 1.8) + 32. END FUNCTION.

This procedure executes as follows: 1. The procedure makes a forward declaration of the CtoF conversion function, so that it can be used in the procedure before its implementation code is defined. 2. The function is used inside the REPEAT loop in the DISPLAY statement. Notice that it appears where any DECIMAL expression could appear and is treated the same way. 3. There is the actual implementation of the function, which takes the Celsius temperature as input and returns the Fahrenheit equivalent. Making a declaration of a function in another procedure: you can provide a prototype that specifies the handle variable where the procedure handle of the other procedure is to be found at run time. This is the second option in the prototype syntax:

MAP

TO

actual-name

IN proc-handle

Because functions are so generally useful, you might want to execute a function from many procedures when it is in fact implemented in a single procedure file that your application runs persistent. In this case, you can provide a prototype that specifies the handle variable where the procedure handle of the other procedure is to be found at run time

The proc-handle is the name of the handle variable that holds the procedure handle where the function is actually implemented
If the function has a different name in that procedure than in the local procedure, you can provide the MAP TO actual-name phrase to describe this. In that case, actual-name is the function name in the procedure whose handle is proc-handle.
/* h-FuncProc.p -- contains CtoF and possible other useful functions. */ FUNCTION CtoF RETURNS DECIMAL (INPUT dCelsius AS DECIMAL): RETURN (dCelsius * 1.8) + 32. END FUNCTION. /* h-ConvTemp2.p -- procedure to convert temperatures and demonstrate functions. */ DEFINE VARIABLE hFuncProc AS HANDLE NO-UNDO. FUNCTION CtoF RETURNS DECIMAL (INPUT dCelsius AS DECIMAL) IN hFuncProc. DEFINE VARIABLE dTemp AS DECIMAL NO-UNDO. RUN h-FuncProc.p PERSISTENT SET hFuncProc. REPEAT dTemp = 0 TO 100: DISPLAY dTemp LABEL "Celsius" CtoF(dTemp) LABEL "Fahrenheit" WITH FRAME f 10 DOWN. END. DELETE PROCEDURE hFuncProc.

1. 2. 3.

Bigining of procedure In another procedure In a super procedure

Making a declaration of a function IN SUPER:

The third option in the function prototype is to declare that it is found IN

SUPERat

run time

This means that the function is implemented in a super procedure of the procedure with the declaration

Using the AppBuilder to generate function definitions(do practical)

Making run-time references with DYNAMIC-FUNCTION:


Progress lets you construct a reference to a function at run time, using a built-in function called DYNAMIC- FUNCTION . Heres the syntax:
DYNAMIC- FUNCTION

function

IN handle

][

, parameters

])

Like a function reference itself, the DYNAMIC-FUNCTION function can appear anywhere in your procedure code where an expression of that data type could appear. The first parameter to DYNAMIC-FUNCTION is the name of the function to invoke

you can optionally include an IN handle phrase to direct Progress to execute the function in a persistent procedure handle. In this case, the handle must be an actual field or variable name of HANDLE data type, not an expression.
DYNAMIC-FUNCTION,

If the function itself takes any parameters, you pass those as additional parameters to in the same form that you would pass them to the function itself

DYNAMIC-FUNCTION gives you the flexibility to have code that can execute different function names depending on the situation
The most common use of DYNAMIC-FUNCTION is for one of two other reasons:

If you want to reference a function without going to the trouble of defining a prototype for it, you can do this with DYNAMIC-FUNCTION. Because Progress has no way of knowing what the name of the function is or its return type, it cannot look for a prototype for it and therefore does not give you an error as it would if you had a static reference to a function with no prior declaration. By the same token, it cannot provide you with any helpful warnings if your reference to the function is not valid. If you want to invoke a function in a number of different persistent procedures, you can easily do this with DYNAMIC-FUNCTION since the procedure handle to run it is part of the function reference, and not defined in the prototype. In this way, you can run a function in different persistent procedure instances depending on the circumstances. If each of those procedures represents an application object (such as a window, frame, browse, or query), then it can be very powerful to invoke the same function in different procedure handles representing those objects.

Using super procedures in your application:

way to provide standard libraries of application behavior that can be inherited by other procedures and, where necessary, overridden or specialized by individual application components. They give an objectoriented flavor to Progress programming that was not available before. A super procedure is a separately compiled Progress procedure file. Its entry points can effectively be added to those of another procedure so that a RUN statement or function reference in the other procedure causes the Progress interpreter to search both procedures for an internal procedure or function to run

Super procedure language syntax:


there is nothing specific in the 4GL syntax of a Progress procedure file to identify it as a super procedure. Rather, it is how the procedure is referenced by other procedures that makes it a super Procedure
A Progress procedure file must be running as a persistent procedure before it can be made a super procedure of another procedure file. So the first step is that the code somewhere in the application must run the procedure PERSISTENT
RUN superproc PERSISTENT SET superproc-hdl.

ADD-SUPER-PROCEDURE method: Any application procedure with access to the procedure handle of the super procedure can then add it as a super procedure to itself:
THIS-PROCEDURE:ADD-SUPER-PROCEDURE( superproc-hdl

, search-directive

] ).

in the more general case, it is possible to add a super procedure to any known procedure handle:
proc-hdl:ADD-SUPER-PROCEDURE( superproc-hdl [, search-directive

] ).

you can add a super procedure at the Session level, using the special SESSION handle, in which case its contents are available to every procedure running in the OpenEdge session:
SESSION:ADD-SUPER-PROCEDURE( superproc-hdl [, search-directive

] ).

REMOVE-SUPER-PROCEDURE method: Once you add a super procedure, you can also remove it from its association with the other procedure, whether you reference it as THIS-PROCEDURE, SESSION, or some other handle:
proc-hdl:REMOVE-SUPER-PROCEDURE( superproc-hdl ).

You can execute multiple ADD-SUPER-PROCEDURE statements for any given procedure handle (including SESSION). The super procedure handles form a stack, which is searched in Last In First Out (LIFO) order when Progress encounters a RUN statement or a function reference at run time. That is, the super procedure added last is searched first to locate the entry point to run. At any time, you can retrieve the list of super procedure handles associated with a procedure using the SUPER-PROCEDURES attribute of a procedure handle

proc-hdl:SUPER- PROCEDURES

This attribute evaluates to a character string holding the list of super procedure handles (starting with the last one added, therefore indicating the order in which they are searched) as a comma-separated character string. Changing the order of super procedures: You can rearrange the order of super procedures in two ways:

1. If the ADD-SUPER- PROCEDURE method is executed for a procedure handle already in the stack, Progress moves it to the head of the list (that is, to the position of being searched first). If the procedure was already first in the stack, no change occurs and no error results. For example, this sequence of statements results in the SUPER- PROCEDURES attribute returning the handle of Super2 followed by the handle of Super1:
hProc:ADD-SUPER-PROCEDURE(hSuper1). hProc:ADD-SUPER-PROCEDURE(hSuper2). hProc:ADD-SUPER-PROCEDURE(hSuper2).

And this sequence results in the SUPER- PROCEDURES attribute returning the handle of Super1 followed by the handle of Super2:
hProc:ADD-SUPER-PROCEDURE(hSuper1). hProc:ADD-SUPER-PROCEDURE(hSuper2). hProc:ADD-SUPER-PROCEDURE(hSuper1).

2. You can also rearrange the order of super procedure handles on the stack by invoking a sequence of REMOVE-SUPER-PROCEDURE and ADD-SUPER-PROCEDURE methods. Each REMOVE-SUPER-PROCEDURE method removes that handle from the list, wherever it is. And each ADD-SUPER-PROCEDURE method adds the named handle to the head of the list. A handle is never added to the list a second time. Invoking behavior in super procedures: This functionality lets you build hierarchies of behavior for a single entry point name, effectively creating a set of classes that implement different parts of an applications standard behavior. A local version of an internal procedure can invoke the same routine in its (first) super procedure using this statement:
RUN SUPER

[(

parameters

) ].

If the internal procedure takes any parameters (INPUT, OUTPUT , or INPUT-OUTPUT) it must pass the same parameter types to its super procedure in the RUN SUPER statement. Note that these parameter values do not have to be the same. You might want to change the parameter values before invoking the behavior in the next version of the internal procedure, depending on your application logic. Likewise, a user-defined function can invoke behavior in a super procedure using the expression:
SUPER

([

parameters

] ).

Each super procedure in turn can invoke the next implementation of that same routine up the

stack by using the same SUPER syntax.

You must place a RUN SUPER statement inside an implementation of the invoked internal procedure and you must use exactly the same calling sequence. You can place any other 4GL definitions or executable code before or after the SUPER reference. This placement lets you invoke the inherited behavior before, after, or somewhere in the middle of the local specialization of the routine Super procedure guidelines:
Guideline 1: Use a single super procedure stack: Guideline 2: Use TARGET-PROCEDURE to refer back to the object procedure:{look} Guideline 3: Make super procedure code shareable Guideline 4: Avoid defining object properties and events in super procedures Guideline 5: Never run anything directly in a super procedure

Using session super procedures:

Handling Data and Locking Records:


Overview of data handling statements:

INSERT table-name:

the INSERT statement starts at the database level with the creation of a new record, which Progress then displays (with its initial values) in the screen buffer. The statement pauses to let the user enter values into the records fields, and then saves the record back to the record buffer.
OPEN QUERY query-name (with a browse on a query against a database table) As you have seen in Chapter 12, Using the Browse Object, there is a direct association between a browse object and its query. When you open the query, records from the underlying table are automatically displayed in the browse. SET table-name or field-list. The SET statement accepts input from the user in the screen buffer for one or more fields and assigns them directly to the record buffer. UPDATE table-name or field-list. The UPDATE statement displays the current values for one or more fields to the screen, accepts changes to those fields from the user, and assigns them back to the record buffer

these statements carry data all the way from the user to the database. Since this cant be done in a single session of a distributed application, you wont generally use these statements with database tables.

Youve already seen the following statements in action:


ASSIGN table-name or field-list. You can use this statement to assign one or more fields from the screen buffer to the record buffer, for example, on a LEAVE trigger for a field. You can also use it to do multiple programmatic assignments of values in a single statement, as in the ASSIGN field = value field = value . . . statement. DISPLAY table-name or field-list. This statement moves one or more values from a record buffer to the screen buffer. You could use this statement in a client procedure with a temp-table record, or with a list of local variables. ENABLE field-list. This statement enables one or more fields in the screen buffer to allow user input. Its counterpart, DISABLE, disables one or more fields. FIND table-name. This statement locates a single record in the underlying table and moves it into the record buffer. You could use this statement in server-side logic using a database table, or in a client-side procedure using a temp-table. FOR EACH table-name: This block header statement iterates through a set of related records in the underlying table and moves each one in turn into the record buffer. You could use this statement in server-side logic on a database table or client-side logic on a temp-table. GET query-name. This statement locates a single record in an open query and moves it into the record buffer. REPOSITION (with browse) The REPOSITION statement on a browsed query moves the new record into the record buffer. There remain several new statements youll learn about in the next chapter. These include: CREATE table-name. This statement creates a new record in a table and makes it available in the record buffer. DELETE table-name. This statement deletes the current record in the record buffer, removing it from the underlying table. RELEASE table-name. This statement explicitly removes a record from the record buffer and releases any lock on the record, making it available for another user.

There remain several new statements youll learn about in the next chapter. These include:
CREATE table-name. This statement creates a new record in a table and makes it available in the record buffer. DELETE table-name. This statement deletes the current record in the record buffer, removing it from the underlying table. RELEASE table-name. This statement explicitly removes a record from the record buffer and releases any lock on the record, making it available for another user.

In addition to these transaction-oriented statements, the PROMPT-FOR statement enables a field in the screen buffer and lets the user enter a value for it

you do not normally want the user interface to wait on a single field and force the user to enter a value into that field before doing anything else, so the PROMPT-FOR statement is also not a frequent part of a modern application. The INSERT, SET, and UPDATE statements similarly have their own

built-in WAIT- FOR, which demands input into the fields before the user can continue. For this reason, these statements are also of limited usefulness in an event-driven application, even when you are updating records in a client-side temp-table.

Record locking in Progress:

When you read records using a FIND statement, a FOR EACH block, or the GET statement on a query that isnt being viewed in a browse, by default Progress reads each record with a SHARE-LOCK. The SHARE-LOCK means that Progress marks the record in the database to indicate that your session is using it. Another user can also read the same record in the same waythats why this is called a SHARE-LOCK If you intend to change a record, you can use the EXCLUSIVE-LOCK keyword. This marks the record as being reserved for your sessions exclusive use where any changes are concerned, including deleting the record. If any other user has a SHARE-LOCK on the record, an attempt to read it with an EXCLUSIVE-LOCK fails. Thus, a SHARE-LOCK assures you that while others can read the same record you have read, they cannot change it out from under you.

Record locking examples:


Using and upgrading SHARE-LOCKS: Using the NO-WAIT Option with the AVAILABLE and LOCKED functions: there are options you can use to make other choices in your procedures in the case of lock contention. If for some reason you do not want your procedure to wait for the release of a lock, you can include the NO-WAIT keyword on the FIND statement or FOR EACH loop.

you should also include the NO-ERROR keyword on the statement to avoid the default record is locked message from Progress
/* h-findCustUser2.p */ FIND Customer 1 EXCLUSIVE-LOCK NO-WAIT NO-ERROR. IF NOT AVAILABLE(Customer) THEN DO: MESSAGE "That Customer isn't available for update." VIEW-AS ALERT-BOX. END. ELSE DO: DISPLAY "User 2:" CustNum FORMAT "ZZZ9" NAME FORMAT "X(12)" CreditLimit Balance WITH FRAME CustFrame. ON 'LEAVE':U OF Customer.CreditLimit IN FRAME CustFrame DO: ASSIGN Customer.CreditLimit. END. ENABLE Customer.CreditLimit Balance WITH FRAME CustFrame. WAIT-FOR CLOSE OF THIS-PROCEDURE. END.

This message occurs because h-findCustUser1.p has read the record with a SHARE-LOCK and has attempted to read it with an EXCLUSIVE-LOCK, which fails. if you want to distinguish between the case where the record is not available because it has been locked by another user and the case where the record wasnt found because
h-findCustUser2.p

the selection was invalid in some way, you can use the LOCKED function:
FIND Customer 1 EXCLUSIVE-LOCK NO-WAIT NO-ERROR. IF LOCKED(Customer) THEN MESSAGE "That Customer isn't available for update." VIEW-AS ALERT-BOX. ELSE IF NOT AVAILABLE(Customer) THEN MESSAGE "That Customer was not found." VIEW-AS ALERT-BOX. . . .

because SHARE-LOCKS are of very limited use in application procedures that are distributed or might be distributed between sessions, it is good practice to bypass this method of reading records altogether and always read records with an EXCLUSIVE- LOCK if you know that your procedure updates them immediately.
Reading records with NO-LOCK:

You cannot upgrade a records lock level from NO-LOCK to EXCLUSIVE- LOCK . If you try to update a record youve read with NO-LOCK , you get an error message from Progress
You must FIND the record again with an EXCLUSIVE- LOCK if you need to update it

Making sure you release record locks:


Here are two guidelines for using locks:

Never read a record before a transaction starts, even with NO-LOCK, if you are going to update it inside the transaction. If you read a record with NO-LOCK before a transaction starts and then read the same record with EXCLUSIVE- LOCK within the transaction, the lock is automatically downgraded to a SHARE-LOCK when the transaction ends. Progress does not automatically return you to NO-LOCK status. If you have any doubt at all about when a record goes out of scope or when a lock is released, release the record explicitly when you are done updating it with the RELEASE statement. If you release the record, you know that it is no longer locked, and that you cannot unwittingly have a reference to it after the transaction block that would extend the scope of the lock, or even the transaction. Here are a few rules that you simply dont need to worry about if youacquire records only within a transaction and always release them when youre done:

A SHARE-LOCK is held until the end of the transaction or the record release, whichever is later. If you avoid SHARE-LOCK s and always release records when youre done updating them, the scary phrase whichever is later does not apply to your procedure. An EXCLUSIVE- LOCK is held until transaction end and then converted to a SHARE-LOCK if the record scope is larger than the transaction and the record is still active in any buffer. Again, releasing the record assures you that the use of the record in the transaction does not conflict with a separate use of the same record outside the transaction. When Progress backs out a transaction, it releases locks acquired within a transaction or changes them to SHARE-LOCK if it locked the records prior to the transaction. If you dont acquire locks or even records outside a transaction, you dont need to worry about this special case.

Lock table resources:

Optimistic and pessimistic locking strategies:


When you have a record in a record buffer, you can re-read it from the database to see if it has changed since it was read, using the FIND CURRENT statement or, for a query, the GET CURRENT statement. You can then use the CURRENT-CHANGED function to compare the record currently in the buffer with what is in the database. This is a part of your optimistic locking strategy. The simple example that follows
/* h-findCurrent.p */ DEFINE FRAME CustFrame Customer.CustNum Customer.NAME FORMAT "x(12)" Customer.CreditLimit Customer.Balance. ON "GO" OF FRAME CustFrame DO: /* When the user closes the frame by pressing F2, start a transaction: */ DO TRANSACTION: FIND CURRENT Customer EXCLUSIVE-LOCK. IF CURRENT-CHANGED(Customer) THEN DO: MESSAGE "This record has been changed by another user." SKIP "Please re-enter your changes." VIEW-AS ALERT-BOX. DISPLAY Customer.CreditLimit Customer.Balance WITH FRAME CustFrame. RETURN NO-APPLY. /* Cancel the attempted update/GO */ END. /* Otherwise assign the changes to the database record. */ ASSIGN Customer.CreditLimit Customer.Balance. END. RELEASE Customer. END. /* To start out with, find, display, and enable the record with no lock. */ FIND FIRST Customer NO-LOCK. DISPLAY Customer.CustNum Customer.NAME Customer.CreditLimit Customer.Balance WITH FRAME CustFrame. ENABLE Customer.CreditLimit Customer.Balance WITH FRAME CustFrame. /* Wait for the trigger condition to do the update and close the frame. */ WAIT-FOR "GO" OF FRAME CustFrame.

The code executed first is at the bottom of the procedure, after the trigger block. It finds a desired Customer NO-LOCK , so as to avoid lock contention, then displays it and any enabled fields for input. If the user changes the CreditLimit or Balance in the frame and presses F2, which fires the GO event for the frame, the code re-reads the same record with an EXCLUSIVE- LOCK and uses CURRENT-CHANGED to compare it with the record in the buffer. Note that because the changes havent been assigned to the record buffer yet, the record in the buffer and the one in the database should be the same if no one else has changed it. If someone has, then the procedure displays a message, displays the changed values, and executes a RETURN NO-APPLY to cancel the GO event. Otherwise, it assigns the changes.

The DO TRANSACTION block defines the scope of the update. The RELEASE statement after that block releases the locked record from the buffer to free it up for another user

Updating Your Database and Writing Triggers

Transactions in Progress:
A transaction is a set of related changes to the database that the database either completes in its entirely or discards, leaving no modification to the database

Transaction blocks:
Transaction scoping works in much the same way and is closely tied to the scoping of records to blocks. Some blocks in Progress procedures are transaction blocks and some arent, according to these rules: You can explicitly include the TRANSACTION keyword on a FOR EACH or REPEAT block, or on a DO block with the optional error-handling phrase beginning ON ERROR. Any block that uses the TRANSACTION keyword becomes a transaction block. Any block that directly updates the database or directly reads records with EXCLUSIVE-LOCK likewise becomes a transaction block. This can be a procedure block, a trigger block, or each iteration of a DO, FOR EACH, or REPEAT block.

A direct database update can be, for example, a CREATE, DELETE, or ASSIGN statement. A block is said to be directly reading records with EXCLUSIVE-LOCK if at least one of the FIND or FOR EACH statements that has the EXCLUSIVE-LOCK keyword is not embedded in an inner block enclosed within the block in question
A DO block without the NO-ERROR phrase does not automatically have the transaction property.

Building updates into an application (do practical)

Defining database triggers:


1. Database trigger guidelines
Use trigger procedures sparingly, for truly global and non-changing integrity checks. Resist the temptation to write real business logic into a trigger procedure. Basic integrity constraints are themselves a part of your business logic, of course, but you can think of business logic in this sense as being rules that are complex, subject to change, different for different customers or user groups, or otherwise difficult to pin down precisely. Always remember that trigger procedures execute on the server-side of a distributed application. Never put messages into a trigger procedure, for example, because they are not seen on the client. A trigger procedure should never have any user interface or contain any statements that could possibly block the flow of the application, such as a statement that requests a value. Remember that trigger procedures operate in the background of an application. That is, you dont see the trigger code itself when you are looking through the procedures that make up your application, so it is important that they not have surprising or strange effects. If a trigger verifies a Customer Number in an Order record in a consistent way, developers come to see this as a welcome check and understand why it is there and what it is doing. If you put complex or obscure code into a trigger procedure, you might confuse developers who cannot understand why the application procedures they are coding or

looking at are executing in a strange way. Return errors in a standard way from all your triggers. If a trigger procedure does an integrity check, it must be able to reject the record update that fired it. Without being able to display a message, your procedure must generate the error in a way that application code can deal with it consistently. One method is to RETURN ERROR with a message that becomes the RETURN-VALUE of the trigger and code your application to be prepared to handle errors of this kind, by taking the RETURN-VALUE and turning it into a standard message box on the client, for example. Write your applications so that errors from triggers are as unlikely as possible. You should use integrity procedures as a last defense for your application to make sure that casually written procedures dont compromise your database. The heart of your application logic should enforce all integrity at a level that is visible to the application. Where appropriate, you can take specific actions when errors occur, and when updates change other database values that the user might need to see. For example, the user interface for your Order Entry screen probably should present the user with a lookup list of some sort to choose a Customer from, where the Customer Name or other identifying information verifies that the Customer Number is correct. If you do this, then it is very unlikely that an invalid CustNum will find its way back to an actual update to be detected and rejected by a trigger procedure.

Database events:
There are five database events you can associate with a trigger procedure: CREATE Executes when Progress executes a CREATE or INSERT statement for a database table, after the new database record is created. You can use the procedure to assign initial values to some of the tables fields, such as a unique key value. DELETE Executes when Progress executes a DELETE statement for a database table, before the record is actually deleted. You can use the procedure to check for other related records that would prevent deletion of the current one, to delete those related records if you wish, or to adjust values in other records in other tables to reflect the delete. WRITE Executes when Progress changes the contents of a database record. More specifically, it occurs when a record is released, normally at the end of a transaction block, or when it is validated. This book recommends against using the field validation expressions that the Data Dictionary allows you to define because these have the effect of mixing validation logic with user interface procedures. The WRITE trigger happens in conjunction with those validations, if they exist, when the record is released or you execute an explicit VALIDATE statement. The WRITE trigger can replace those kinds of validations without combining validation with the UI. ASSIGN Monitors a single field rather than an entire database record, so you can use it to write field-level checks. An ASSIGN trigger executes at the end of a statement that assigns a new value to the field, after any necessary re-indexing. If a single ASSIGN statement (or UPDATE statement, but you know not to use that anymore) contains several field assignments, Progress fires all applicable ASSIGN triggers at the end of the statement. If any trigger fails, Progress undoes all the assignments in the statement. FIND Executes when Progress reads a record using a FIND or GET statement or a FOR EACH loop. A FIND trigger on a record executes only if the record first satisfies the full search condition on the table, as specified in the WHERE clause. FIND triggers do not fire in response to the CAN-FIND function. If a FIND trigger fails, Progress behaves as though the record has not met the search criteria. If the FIND is within a FOR EACH block, Progress simply proceeds to the next iteration of the block. Generally, you should not use FIND triggers. They are expensiveconsider that you are executing a compiled procedure for every single record read from that table anywhere in your application. Also, they are typically used for security to provide a base level of filtering of records that the user should never see. For various reasons, including the fact that a CAN-FIND function does not

execute the FIND trigger, this security mechanism is not terribly reliable. You are better off building a general-purpose filtering mechanism into your application architecture in a way that is appropriate for your application, rather than relying on the FIND trigger to enforce it.

Trigger procedure headers:


CREATE, DELETE, and FIND headers The header statement for a CREATE , DELETE , or FIND procedure has this syntax:
TRIGGER PROCEDURE FOR

FIND

CREATE

DELETE

OF table-name.

This statement effectively defines a buffer automatically with the same name as the table, scoped to the trigger procedure. WRITE header:

The header statement for a WRITE trigger has this syntax:

TRIGGER PROCEDURE FOR WRITE OF table-name

[ [

[ BUFFER ] new-buffer-name ] OLD [ BUFFER ] old-buffer-name ].


NEW

When executing a WRITE trigger, Progress makes two record buffers available to the trigger procedure. The NEW buffer contains the modified record that is being validated. The OLD buffer contains the most recent version of the record before the latest set of changes was made
If you wish to compare the new buffer to the old, you must use the OLD phrase to give the old one a name. The BUFFER keyword is just optional syntactic filler.

You can make changes to the NEW buffer, but the OLD buffer is read-only

You can determine whether the record being written is newly created using the Progress NEW function, which returns true if Progress has not written the record to the database before, and false otherwise:
For example:
NEW table-name E.g. IF NEW Customer THEN . . .

ASSIGN header:

The header statement for an ASSIGN trigger has this syntax

TRIGGER PROCEDURE FOR ASSIGN

{ OF table.field } | NEW [VALUE] new-field { AS data-type | LIKE other-field> } [ OLD [VALUE] old-field { AS data-type | LIKE other-field2 } ]

If you need to compare the field value before and after it was changed, you must use the NEW and phrases to give those versions of the field names. If you do this, you cannot refer to the rest of the record buffer. You can change the NEW field, and this changes the field value in the record, but changing the OLD field value has no effect. The VALUE keyword here is just optional syntactic filler
OLD

Accessing and defining triggers:(do practical) Session triggers:


In addition to defining schema trigger procedures that are always executed when an operation occurs on a table, you can also define trigger blocks within your application that act on these events, much as you can define triggers for user interface events The code in the trigger executes in the context of the procedure that defines it, regardless of where the event occurs that fires the trigger. Therefore, it can access local variables and other procedure objects not available to the procedure where the event occurs. The syntax for session triggers is modeled on the syntax for user interface events:

ON event OF object

reference-clause

][

OVERRIDE

trigger-clock

REVERT

The event can be CREATE, WRITE, DELETE, FIND, or ASSIGN, as for schema triggers. The object is a database table name in the case of CREATE, DELETE, FIND, and WRITE triggers, or a database field qualified by its table name for the ASSIGN trigger

NEW [BUFFER] new-buffer-name

][

OLD

[BUFFER]

old-buffer-name FORMAT format

OLD

[VALUE]

old-value-name

INITIAL constant

LABEL string

[ COLUMN-LABEL label | | NO-UNDO ]

General trigger considerations:


Progress does not allow database triggers on events for metaschema tables and fields You cannot delete a record in a buffer passed to a database trigger or change the current record in the buffer with a statement such as FIND NEXT or FIND PREV An action within one trigger procedure can execute another trigger procedure. For example, if a trigger assigns a value to a field and you have also defined an ASSIGN trigger for that field, the ASSIGN trigger executes. You must take care that this does not result in either unwanted conflicts between the actions of the triggers or a possible loop. By their nature, triggers are executed within transactions (except possibly for a FIND trigger). Whatever action is encoded in the trigger becomes part of the larger transaction. For all blocks in a database trigger, the default ON ERROR handling is ON ERROR UNDO, RETURN ERROR , rather than the usual Progress default of ON ERROR UNDO, RETRY . You learn more about the ON ERROR phrase in the next chapter.

You can store collections of precompiled Progress procedures in a single file called a procedure library. If you collect together your applications schema triggers into a procedure library, you can use the trig startup parameter to identify either the name of the procedure library for triggers or the operating system directory where they reside. When you dump and load database records, you might want to disable the schema triggers of the database, both to avoid the overhead of the triggers and to deal with the likely possibility that integrity constraints enforced by the triggers might not be satisfied until the database load is complete. For information on how SQL access to your database interacts with 4GL schema trigger procedures,

Managing Transactions
Controlling the size of a transaction:
Youve already learned which statements start a transaction automatically. To summarize, these are: blocks that directly update the database. blocks that directly update the database. Procedure blocks that directly update the database. DO blocks with the ON ERROR or ON ENDKEY qualifiers (which youll learn more about later) that contain statements that update the database
FOR EACH REPEAT

You can also control the size of a transaction by adding the TRANSACTION keyword to a DO, FOR EACH, or REPEAT block. This can force a transaction to be larger, but because of the statements that start a transaction automatically, you cannot use it to make a transaction smaller than Progress would otherwise make it.

there is a DO TRANSACTION block around the whole update of both the Order and any modified OrderLines:
DO TRANSACTION ON ERROR UNDO, LEAVE: DO: /* Order update block */ END. FOR EACH ttOline: /* OrderLine update block */ END. END. /* END Transaction block. */

The update of the Order and its OrderLines happens as a single transaction. If any errors are encountered in any of the updates, the entire transaction is backed out.
your listing file tells you, among other things, where all the transactions begin and end. This is very valuable information. You should always use a listing file in any complex procedure to make sure that your record scope and transaction scope are as you intended.

You never want your transactions to default to the level of a procedure, because they are likely to be larger than you want them to be. This means that record locks are held longer than necessary and that more records might be involved in a transaction than you intended. Making a transaction larger:

Making a transaction smaller:

Transactions and trigger and procedure blocks:


If your code starts a transaction in one procedure and then calls another procedure, whether internal or external, the entire subprocedure is contained within the transaction that was started before it was called

If a subprocedure starts a transaction, then it must end within that subprocedure as well, because the beginning and end of the transaction are always the beginning and end of a particular block of code. There is always a transaction active when a database trigger is called (except in the case of the FIND trigger), so the trigger procedure is entirely contained within the larger transaction that caused it to be called.

Trigger blocks beginning with the ON event phrase are treated the same as an internal procedure call. If there is a transaction active when the block is executed in response to the event, then its code is contained within that transaction.

Checking whether a transaction is active:


You can use the built-in TRANSACTION function in your procedures to determine whether a transaction is currently active. This logical function returns true if a transaction is active and false otherwise

The NO-UNDO keyword on temp-tables and variables:


When you define variables, Progress allocates what amounts to a record buffer for them, where each variable becomes a field in the buffer. There are in fact two such buffers, one for variables whose values can be undone when a transaction is rolled back and one for those that cant. There is extra overhead associated with keeping track of the before-image for each variable that can be undone, and this behavior is rarely needed. If you are modifying a variable inside a transaction block (and it is important for your program logic that sets that variables value that it be undone if the transaction is undone), then you should define the variable without the NO-UNDO keyword.

Using the UNDO statement:

Subtransactions: Transaction mechanics Using the ON phrase on a block header; Handling the ERROR condition:

Progress undoes a transaction automatically if it detects an error at the database level, for example, because of a unique key violation

The UNDO statement lets you control when to cancel the effects of a transaction on your own. It also lets you define just how much of your procedure logic to undo

Here is the syntax of the UNDO statement:

] |, NEXT [ label2 ] |, RETRY [ | , RETURN [ ERROR | NO-APPLY ] [ return-value ] ]


UNDO label

][

, LEAVE[ label2

label

In its simplest form, you can use the UNDO keyword as its own statement. In this case, Progress undoes the innermost containing block with the error property, which can be: A FOR block. A REPEAT block. A procedure block. A DO block with the TRANSACTION keyword or ON ERROR phrase.
The default action on an UNDO is to attempt to retry the current block.

If you use this block name in an UNDO statement, it identifies how far back you want Progress to undo transactional work
If you are writing well-structured procedures that do not mix user interface elements with database logic, then retrying a block never results in a user entering different values. Progress recognizes this and changes the action to a NEXT of an iterating block, or a LEAVE of a noniterating block, so this is effectively the default for transactions not involving user interface events

You can change this default action as well. If you specify LEAVE, you can name the block to leave. This defaults to the block you undo If you specify NEXT within an iterating block, then after the UNDO Progress proceeds to the next iteration of either the block whose label you specify or the block you undo as a default

If you specify RETRY , then you can retry either the current block (the default) or the same block you applied the UNDO statement to. Again, in a properly structured application, you do not need to use the RETRY option. Finally, you can RETURN out of the current procedure. You can RETURN ERROR , which raises the Progress error condition, or you can use RETURN NO-APPLY to cancel the effect of the last user-interface event
saveOrder

You can also specify UNDO as an option on a DO , FOR, or REPEAT block, as you did in your example procedure:

DO TRANSACTION ON ERROR UNDO, LEAVE:

Using the UNDO statement in the sample procedure:


To undo and leave the block that updates the OrderLine table(do practical)

Subtransactions(do practical):

You might also like