1. Trang chủ
  2. » Công Nghệ Thông Tin

Symbian OS Explained Effective C++ Programming for Smartphones phần 5 ppsx

40 300 0

Đang tải... (xem toàn văn)

Tài liệu hạn chế xem trước, để xem đầy đủ mời bạn chọn Tải xuống

THÔNG TIN TÀI LIỆU

Thông tin cơ bản

Định dạng
Số trang 40
Dung lượng 321,02 KB

Các công cụ chuyển đổi và chỉnh sửa cho tài liệu này

Nội dung

• After submitting a request to an asynchronous service provider, theactive object must call SetActive upon itself.. If a leaveoccurs, the active scheduler calls the RunError method of t

Trang 1

It looks complex, but I’ll explain how it all fits together throughout thischapter and you’ll probably want to refer back to it later.

The following list summarizes the responsibilities of an activeobject:

• As I described in Chapter 8, the priority of an active object must be set

on construction The priority generally defaults to dard(=0, from class CActive) or EActivePriorityDefault (=0

EPriorityStan-if using the TActivePriority enumeration defined in coemain.hfor use with application code) This is the standard priority for anactive object and should be used unless there is a good reason to setits priority to some other value, for example to EActivePriority-WsEvents(=100) for handling user input responsively

• An active object provides at least one method for clients to initiaterequests to its encapsulated asynchronous service provider The activeobject always passes its own iStatus object to the asynchronousfunction, so does not need to include a TRequestStatus referenceamong the parameters to the request issuer method unless it is acting

as a secondary provider of asynchronous services

• After submitting a request to an asynchronous service provider, theactive object must call SetActive() upon itself This sets theiActive flag, which indicates an outstanding request This flag isused by the active scheduler upon receipt of an event and by the baseclass upon destruction, to determine whether the active object can beremoved from the active scheduler

• An active object should only submit one asynchronous request at atime The active scheduler has no way of managing event-handlingfor multiple requests associated with one active object

• An active object should pass its iStatus object to an asynchronousservice function It should not reuse that object until the asynchronousfunction has completed and been handled The active schedulerinspects the TRequestStatus of each active object to determineits completion state and the event-handling code uses the value itcontains to ascertain the completion result of the function

• An active object must implement the pure virtual methods RunL()and DoCancel() declared in the CActive base class Neithermethod should perform lengthy or complex processing, to avoidholding up event handling in the entire thread This is particularlyimportant in GUI applications where all user interface code runs inthe same thread If any single RunL() is particularly lengthy, the userinterface will be unresponsive to input and will ”freeze” until thatevent handler has completed

Trang 2

RESPONSIBILITIES OF AN ASYNCHRONOUS SERVICE PROVIDER 133

• An active object must ensure that it is not awaiting completion of

a pending request when it is about to be destroyed As destructionremoves it from the active scheduler, later completion will generate

an event for which there is no associated active object To preventthis, Cancel() should be called in the destructor of an activeobject The destructor of the CActive base class checks that there

is no outstanding request before removing the object from the activescheduler and raises an E32USER – CBASE 40 panic if there is, tohighlight the programming error The base class destructor cannotcall Cancel() itself because that method calls the derived classimplementation of DoCancel() – and, of course, C++ dictates thatthe derived class has already been destroyed by the time the baseclass destructor is called

• Objects passed to the asynchronous service provider by the issuermethods must have a lifetime at least equal to the time taken tocomplete the request This makes sense when you consider that theprovider may use those objects until it is ready to complete therequest, say if it is retrieving and writing data to a supplied buffer.This requirement means that parameters supplied to the providershould usually be allocated on the heap (very rarely, they may be

on a stack frame that exists for the lifetime of the entire program)

In general, parameters passed to the asynchronous service providershould belong to the active object, which is guaranteed to exist whilethe request is outstanding

• If a leave can occur in RunL(), the class should override the defaultimplementation of the virtual RunError() method to handle it.RunError()was added to CActive in Symbian OS v6.0 to han-dle any leaves that occur in the RunL() event handler If a leaveoccurs, the active scheduler calls the RunError() method of theactive object, passing in the leave code RunError() should returnKErrNoneto indicate that it has handled the leave, say by cleaning

up or resetting the state of the active object The default tion, CActive::RunError(), does not handle leaves and indicatesthis by simply returning the leave code passed in

implementa-9.3 Responsibilities of an Asynchronous Service Provider

An asynchronous service provider has the following responsibilities:

• Before beginning to process each request, the provider must setthe incoming TRequestStatus value to KRequestPending toindicate to the active scheduler that a request is ongoing

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 3

• When the request is complete, the provider must set the questStatusvalue to a result code other than KRequestPending

TRe-by calling the appropriate RequestComplete() method from theRThreador User class

• The asynchronous service provider must only call Complete()once for each request This method generates an event

Request-in the requestRequest-ing thread to notify it of completion Multiple tion events on a single active object result in a stray signal panic.Completion may occur normally, because of an error condition orbecause the client has cancelled an outstanding request If the clientcalls Cancel() on a requestafterit has completed, the asynchronousservice provider must not complete it again and should simply ignorethe cancellation request This is discussed further in Sections 9.8and 9.9

comple-• The provider must supply a corresponding cancellation method foreach asynchronous request; this should complete an outstandingrequest immediately, posting KErrCancel into the TRequest-Statusobject associated with the initial request

9.4 Responsibilities of the Active Scheduler

The active scheduler has the following responsibilities:

• Suspending the thread by a call to User::WaitForAnyRequest().When an event is generated, it resumes the thread and inspects thelist of active objects to determine which has issued the request thathas completed and should be handled

• Ensuring that each request is handled only once The active schedulershould reset the iActive flag of an active object before calling itshandler method This allows the active object to issue a new requestfrom its RunL() event handler, which results in SetActive() beingcalled (which would panic if the active object was still marked activefrom the previous request)

• Placing a TRAP harness around RunL() calls to catch any leavesoccurring in the event-handling code If the RunL() call leaves,the active scheduler calls RunError() on the active object ini-tially If the leave is not handled there, it passes the leave code toCActiveScheduler::Error(), described in more detail shortly

• Raising a panic (E32USER–CBASE 46) if it receives a ”stray signal”.This occurs when the request semaphore has been notified of anevent, but the active scheduler cannot find a ”suitable” active object

Trang 4

NESTING THE ACTIVE SCHEDULER 135

(with iActive set to ETrue and a TRequestStatus indicatingthat it has completed)

9.5 Starting the Active Scheduler

Once an active scheduler has been created and installed, its eventprocessing wait loop is started by a call to the static CActive-Scheduler::Start()method Application programmers do not have

to worry about this, since the CONE framework takes care of managingthe active scheduler If you are writing server code, or a simple consoleapplication, you have to create and start the active scheduler for yourserver thread, which can be as simple as follows:

CActiveScheduler* scheduler = new(ELeave) CActiveScheduler;

CleanupStack::PushL(scheduler);

CActiveScheduler::Install(scheduler);

The call to Start() enters the event processing loop and doesnot return until a corresponding call is made to CActive-Scheduler::Stop() Thus, before the active scheduler is started,there must be at least one asynchronous request issued, via an activeobject, so that the thread’s request semaphore is signaled and the call toUser::WaitForAnyRequest()completes If no request is outstand-ing, the thread simply enters the wait loop and sleeps indefinitely

As you would expect, the active scheduler is stopped by a call toCActiveScheduler::Stop() When that enclosing function returns,the outstanding call to CActiveScheduler::Start() also returns.Stopping the active scheduler breaks off event handling in the thread, so

it should only be called by the main active object controlling the thread

9.6 Nesting the Active Scheduler

I’ve already noted that an event-handling thread has a single activescheduler However, it is possible, if unusual, to nest other calls toCActiveScheduler::Start(), say within a RunL() event-handlingmethod The use of nested active scheduler loops is generally discour-aged but can be useful if a call should appear to be synchronous, whileactually being asynchronous (”pseudo-synchronous”) A good example

is a RunL() event handler that requires completion of an asynchronousrequest to another active object in that thread The RunL() call cannot

be pre-empted, so it must instead create a nested wait loop by callingCActiveScheduler::Start() This technique is used in modalUikon ”waiting” dialogs

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 5

Each call to CActiveScheduler::Start() should be strictlymatched by a corresponding call to CActiveScheduler::Stop()

in an appropriate event handler Before employing such a technique youmust be careful to test your code thoroughly to ensure that the nesting

is controlled under both normal and exceptional conditions The use

of nested active scheduler event-processing loops can introduce subtlebugs, particularly if more than one nested loop is used concurrently inthe same thread For example, if a pair of independent components bothnest active scheduler loops, their calls to Start() and Stop() must becarefully interleaved if one component is to avoid stopping the loop ofthe other’s nested active scheduler

The complexity that results from nesting active scheduler processingloops means that Symbian does not recommend this technique However,where the use of nested active scheduler loops is absolutely unavoid-able, releases of Symbian OS from v7.0s onwards have introduced theCActiveSchedulerWaitclass to provide nesting ”levels” that matchactive scheduler Stop() calls to the corresponding call to Start()

9.7 Extending the Active Scheduler

CActiveScheduleris a concrete class and can be used ”as is”, but

it can also be subclassed It defines two virtual functions which may beextended: Error() and WaitForAnyRequest()

By default, the WaitForAnyRequest() function simply callsUser::WaitForAnyRequest(), but it may be extended, for example

to perform some processing before or after the wait If the function isre-implemented, it must either call the base class function or make a call

be extended in a subclass to handle the error, for example by calling anerror resolver to obtain the textual description of the error and displaying

it to the user or logging it to file

If your active object code is dependent upon particular specializations

of the active scheduler, bear in mind that it will not be portable to run

in other threads managed by more basic active schedulers Furthermore,any additional code added to extend the active scheduler should bestraightforward and you should avoid holding up event-handling in theentire thread by performing complex or slow processing

Trang 6

CANCELLATION 137

9.8 Cancellation

Every request issued by an active object must complete exactly once

It can complete normally or complete early as a result of an error

or a call to Cancel() Let’s first examine what happens in a call toCActive::Cancel() and return to the other completion scenar-ios later

CActive::Cancel() first determines if there is an outstandingrequest and, if so, it calls the DoCancel() method, a pure vir-tual function in CActive, implemented by the derived class (whichshould not override the non-virtual base class Cancel() method).DoCancel()does not need to check if there is an outstanding request; ifthere is no outstanding request, Cancel() does not call it The encapsu-lated asynchronous service provider should provide a method to cancel

an outstanding request and DoCancel() should call this method.DoCancel() can include other processing, but it should not leave

or allocate resources and it should not carry out any lengthy operations.This is because Cancel() is itself a synchronous function which doesnot return until both DoCancel() has returned and the original asyn-chronous request has completed That is, having called DoCancel(),CActive::Cancel()then calls User::WaitForRequest(), pass-ing in a reference to its iStatus member variable It is blocked untilthe asynchronous service provider posts a result (KErrCancel) into it,which should happen immediately, as described above

The cancellation event is thus handled by the Cancel() method ofthe active object rather than by the active scheduler

Finally, Cancel() resets the iActive member of the active object

to reflect that there is no longer an asynchronous request outstanding.The Cancel() method of the CActive base class performs allthis generic cancellation code When implementing a derived activeobject class, you only need to implement DoCancel() to call theappropriate cancellation function on the asynchronous service providerand perform any cleanup necessary You most certainly should not

call User::WaitForRequest(), since this will upset the threadsemaphore count Internally, the active object must not call the pro-tected DoCancel() method to cancel a request; it should callCActive::Cancel(), which invokes DoCancel() and handles theresulting cancellation event

When an active object request is cancelled by a call to Cancel() , the RunL() event handler does not run This means that any post-cancellation cleanup must be performed in DoCancel() rather than in RunL().

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 7

9.9 Request Completion

At this point, we can summarize the ways in which a request issuedfrom an active object to an asynchronous service provider can com-plete:

• The request is issued to the asynchronous service provider by theactive object Some time later, the asynchronous service provider callsUser::RequestComplete()which generates a completion eventand passes back a completion result The active scheduler detectsthe completion event, resumes the thread and initiates event handling

on the highest priority active object that has iActive set to ETrueand iStatus set to a value other than KRequestPending This is

a normal case, as described in the walkthrough above, although thecompletion result may not reflect a successful outcome

• The asynchronous request cannot begin, for example if invalidparameters are passed in or insufficient resources are available Theasynchronous service provider should define a function that neitherleaves nor returns an error code (it should typically return void) Thus,under these circumstances, the request should complete immediately,posting an appropriate error into the TRequestStatus object passedinto the request function

• The request is issued to the asynchronous service provider andCancel() is called on the active object before the request hascompleted The active object calls the appropriate cancellation func-tion on the asynchronous service provider, which should terminate therequest immediately The asynchronous service provider should com-plete the request with KErrCancel as quickly as possible, becauseCActive::Cancel()blocks until completion occurs

• The request is issued to the asynchronous service provider andCancel()is called on the active object some time after the requesthas completed This occurs when the completion event has occurredbut is yet to be processed by the active scheduler The request appears

to be outstanding to the active object framework, if not to the chronous service provider, which simply ignores the cancellation call.CActive::Cancel()discards the normal completion result

asyn-9.10 State Machines

An active object class can be used to implement a state machine to form a series of actions in an appropriate sequence, without requiring

Trang 8

per-STATE MACHINES 139

client code to make multiple function calls or understand the logic ofthe sequence The example below is of an active object class, CState-Machine, which has a single request method SendTranslatedData().This retrieves the data, converts it in some way and sends it to anotherlocation The method takes the location of a data source, the destina-tion and a TRequestStatus which is stored and used to indicate tothe caller when the series of steps has completed CStateMachineencapsulates an object of CServiceProvider class which providesthe methods necessary to implement SendTranslatedData() Thisclass acts as an asynchronous service provider for the active object Eachasynchronous method takes a reference to a TRequestStatus objectand has a corresponding Cancel() method

The state machine class has an enumeration which represents thevarious stages required for SendTranslatedData() to succeed Itstarts as CStateMachine::EIdle and must be in this state whenthe method is called (any other state indicates that a previous call tothe method is currently outstanding) Having submitted a request bymaking the first logical call to CServiceProvider::GetData(),the method changes the iState member variable to reflect the newstate (CStateMachine::EGet) and calls SetActive() When it hasfinished, GetData() generates a completion event and the active sched-uler, at some later point, invokes the CStateMachine::RunL() eventhandler This is where the main logic of the state machine is imple-mented You’ll see from the example that it first checks whether an errorhas occurred and, if so, it aborts the rest of the sequence and notifies theclient Otherwise, if the previous step was successful, the handler callsthe next method in the sequence and changes its state accordingly, againcalling SetActive() This continues, driven by event completion andthe RunL() event handler

For clarity, in the example code below, I’ve only shown the mentation of functions which are directly relevant to the statemachine:

imple-// Provides the "step" functions class CServiceProvider : public CBase {

TInt TranslateData(TDes8& aData);

void SendData(const TDesC& aTarget, const TDesC8& aData, TRequestStatus& aStatus);

void CancelSendData();

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 9

};

void CServiceProvider::GetData(const TDesC& aSource, HBufC8*& aData,

TRequestStatus& aStatus) {

aStatus = KRequestPending;

// Retrieves data from aSource using the asynchronous overload of // RFile::Read() and writing to aData (re-allocating it if // necessary) aStatus is completed by the file server when the // read has finished

} void CServiceProvider::CancelGetData() { }

TInt CServiceProvider::TranslateData(TDes8& aData) {// Synchronously translates aData & writes into same descriptor

return (translationResult);

} void CServiceProvider::SendData(const TDesC& aTarget, const TDesC8&

aData, TRequestStatus& aStatus) {

class CStateMachine : public CActive {

public:

∼CStateMachine();

static CStateMachine* NewLC();

void SendTranslatedData(const TDesC& aSource, const TDesC& aTarget, TRequestStatus&);

Trang 10

CStateMachine:: ∼CStateMachine() {

Cancel();

Cleanup();

} void CStateMachine::InitializeL(const TDesC& aTarget) {

// Store this to pass to CServiceProvider later iTarget = aTarget.AllocL();

// To store retrieved data iStorage = HBufC8::NewL(KStandardDataLen);

} void CStateMachine::Cleanup() {// Pointers are NULL-ed because this method is called outside // the destructor

// Starts the state machine void CStateMachine::SendTranslatedData(const TDesC& aSource, const TDesC& aTarget, TRequestStatus& aStatus) {

ASSERT_ALWAYS(!IsActive(), User::Panic(KExPanic, KErrInUse)); ASSERT(EIdle==iState);

// Store the client request status to complete later iClientStatus = &aStatus;

iClientStatus = KRequestPending;

TRAPD(r, InitializeL(aTarget);

if (KErrNone!=r) {// Allocation of iTarget of iStorage failed Cleanup(); // Destroys successfully allocated member data User::RequestComplete(iClientStatus, r);

} else { iService->GetData(aSource, iStorage, iStatus);

Trang 11

// The state machine is driven by this method void CStateMachine::RunL()

{// Inspects result of completion and iState // and submits next request (if required) ASSERT(EIdle!=iState);

if (KErrNone!=iStatus.Int()) {// An error - notify the client and stop the state machine User::RequestComplete(iClientStatus, iStatus.Int());

Cleanup();

} else {

if (EGet==iState) {// Data was retrieved, now translate it synchronously TPtr8 ptr(iStorage->Des());

iState = ESend;

SetActive();

} else {// All done, notify the caller ASSERT(ESend==iState);

User::RequestComplete(iClientStatus, iStatus.Int());

Cleanup();

} } } void CStateMachine::DoCancel() {

if (iService) {

if (CStateMachine::EGet = =iState) {

iService->CancelGetData();

} else if (CStateMachine::ESend = =iState) {

iService->CancelSendData();

} }

if (iClientStatus) {// Complete the caller with KErrCancel User::RequestComplete(iClientStatus, KErrCancel);

} Cleanup();

Trang 12

LONG-RUNNING TASKS 143

In effect, CStateMachine maintains a series of outstanding requests

to the service provider in RunL(), rather than making a single call.This example is quite straightforward because there are only three activestates, but the code logic here can potentially be far more complex.The DoCancel() method of CStateMachine must also have somestate-related logic so that the correct method on CServiceProvider iscancelled The states and transitions are illustrated in Figure 9.2

Send TranslatedData() Call CServiceProvider::GetData()

(self completes) RunError()

Cancel() or RunError()

RunL() calls CServiceProvider::SendData()

Figure 9.2 Internal states of CStateMachine

In this example the service provider functions called by the statemachine are a mixture of synchronous (TranslateData()) and asyn-chronous (GetData() and SendData()) functions The synchronousmethod uses self-completion to simulate an asynchronous completionevent, which is discussed further in the following section

9.11 Long-Running Tasks

Besides encapsulating asynchronous service providers, active objects canalso be used to implement long-running tasks which would otherwiseneed to run in a lower-priority background thread

To be suitable, the task must be divisible into multiple short ments, for example, preparing data for printing, performing backgroundrecalculations and compacting the database The increments are per-formed in the event handler of the active object For this reason, theymust be short enough for event handling in the thread to continue to beresponsive, because RunL() cannot be pre-empted once it is running.The active object should be assigned a low priority such asCActive::TPriority::EPriorityIdle (=-100), which deter-mines that a task increment only runs when there are no other events toSimpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 13

incre-handle, i.e in idle time If the task consists of a number of different steps,the active object must track the progress as series of states, implementing

it using a state machine as described above

The active object drives the task by generating its own events to invokeits event handler Instead of calling an asynchronous service provider,

it completes itself by calling User::RequestComplete() on its owniStatusobject and calls SetActive() on itself so the active schedulercalls its event handler In this way it continues to resubmit requests untilthe entire task is complete A typical example is shown in the samplecode, where I’ve shown all the relevant methods in the class declarationsbut only the implementations relevant to this discussion I’ve also omittederror handling for clarity:

// This class has no dependence on the active object framework class CLongRunningCalculation : public CBase

{ public:

static CLongRunningCalculation* NewL();

TBool StartTask(); // Initialization before starting the task TBool DoTaskStep(); // Performs a short task step

void EndTask(); // Destroys intermediate data

};

TBool CLongRunningCalculation::DoTaskStep() {// Do a short task step, returning

// ETrue if there is more of the task to do // EFalse if the task is complete

// Omitted }

virtual void RunL();

virtual void DoCancel();

Trang 14

LONG-RUNNING TASKS 145

// Issues a request to initiate a lengthy task void CBackgroundRecalc::PerformRecalculation(TRequestStatus& aStatus) {

iCallerStatus = &aStatus;

*iCallerStatus = KRequestPending;

ASSERT_ALWAYS(!IsActive(), User::Panic(KExPanic, KErrInUse)); iMoreToDo = iCalc->StartTask(); // iCalc initializes the task Complete(); // Self-completion to generate an event }

void CBackgroundRecalc::Complete() {// Generates an event on itself by completing on iStatus TRequestStatus* status = &iStatus;

User::RequestComplete(status, KErrNone);

SetActive();

} // Performs the background task in increments void CBackgroundRecalc::RunL()

{// Resubmit request for next increment of the task or stop

if (!iMoreToDo) {// Allow iCalc to cleanup any intermediate data iCalc->EndTask();

// Notify the caller User::RequestComplete(iCallerStatus, iStatus.Int());

} else {// Submit another request and self-complete to generate event iMoreToDo = iCalc->DoTaskStep();

Complete();

} } void CBackgroundRecalc::DoCancel() {// Give iCalc a chance to perform cleanup

if (iCalc) iCalc->EndTask();

if (iCallerStatus) // Notify the caller User::RequestComplete(iCallerStatus, KErrCancel);

}

If you are designing an API for a long-running task, to make it usefulwith this pattern, it is a good idea to provide methods which splitthe task into increments, as in the example above StartTask(),DoTaskStep()and EndTask() perform small, discrete chunks of thetask and can be called directly by the RunL() method of the low-priorityactive object The API can then also be reused by code which implementslong-running tasks differently, since it will have no dependence on theactive object itself Besides portability, distancing the active object modelmakes it more straightforward to focus on the implementation of thelong-running task itself

Of course, one disadvantage of this approach is that some tasks cannot

be broken down into short steps Another is that if you implement aSimpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 15

number of low-priority active objects for long-running tasks in the samethread, you will need to work out how best to run them together andwrite the necessary low-priority scheduling code yourself.

The use of a background thread for long-running tasks is fairly forward The code for the task can be written without worrying aboutyielding the CPU, since the kernel schedules it when no higher-prioritythread needs to run, pre-empting it again when a more important threadneeds access to system resources However, as with all multi-threadedcode, any shared resources must be protected against illegal concurrentaccess by synchronization objects and, on Symbian OS, the overhead

straight-of running multiple threads is significantly higher than that for multipleactive objects running in a single thread You should prefer low-priorityactive objects for long-running tasks, except for cases where the taskcannot be split into convenient increments The next chapter illustrateshow to use a separate thread to perform a long-running task which iswrapped with code for an active object

9.12 Class CIdle

CIdle derives from CActive and is a useful class which wraps theactive object basics such as implementing RunL() and DoCancel().The wrapper allows you to focus solely on implementing the code

to run the incremental task without worrying about the active objectcode

class CIdle : public CActive {

public:

IMPORT_C static CIdle* New(TInt aPriority);

IMPORT_C static CIdle* NewL(TInt aPriority);

IMPORT_C ∼CIdle();

IMPORT_C void Start(TCallBack aCallBack);

protected:

IMPORT_C CIdle(TInt aPriority);

IMPORT_C void RunL();

IMPORT_C void DoCancel();

of type TAny* and returns an integer The callback function managesthe task increments and can be a local or a static member function Itshould keep track of the task progress, returning ETrue if further steps are

Trang 16

CLASS CIdle 147

necessary and EFalse when it is complete In much the same way as theincremental task shown above, the RunL() event handler which calls theTCallbackobject is only called during idle time Furthermore, it willnot be pre-empted while it is running As long as the callback functionindicates that further steps of the task are required, CIdle::RunL()resubmits requests by completing on its own iStatus object and callingSetActive()

Here’s some example code for another background recalculation taskclass In fact, I’ve slightly reworked the class from the example above

to be driven by CIdle You’ll notice that there’s no ”boilerplate” activeobject code required, unlike the code in the CBackgroundRecalcclass, because CIdle provides that functionality

class CLongRunningCalculation : public CBase {

};

CLongRunningCalculation* CLongRunningCalculation::NewLC(TRequestStatus& aStatus)

{ CLongRunningCalculation* me = new (ELeave) CLongRunningCalculation(aStatus);

CleanupStack::PushL(me); // 2nd phase construction code omitted return (me);

} CLongRunningCalculation::CLongRunningCalculation(TRequestStatus&

aStatus) : iCallerStatus(&aStatus) {}

TBool CLongRunningCalculation::DoTaskStep() {// Does a short task step, returning ETrue if it has more to do // Omitted

} void CLongRunningCalculation::StartTask() {// Prepares the task

iMoreToDo = ETrue;

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 17

// Error handling omitted void CLongRunningCalculation::EndTask() {// Performs cleanup when the task has completed ASSERT(!iMoreToDo);

User::RequestComplete(iCallerStatus, KErrNone);

} TInt CLongRunningCalculation::TaskStep(TAny* aLongCalc) {

ASSERT(aLongCalc);

CLongRunningCalculation* longCalc = static_cast<CLongRunningCalculation*>(aLongCalc);

if (!longCalc->iMoreToDo) longCalc->EndTask();

else longCalc->iMoreToDo = longCalc->DoTaskStep();

return (longCalc->iMoreToDo);

}

Code which uses the idle object will look something like the followingexample, which creates the CIdle object and a CLongRunning-Calculationobject that drives the task:

CIdle* idle = CIdle::NewL(EPriorityIdle);

CleanupStack::PushL(idle);

// Create the object that runs the task, passing in a TRequestStatus&

CLongRunningCalculation* longCalc = CLongRunningCalculation::NewLC(iStatus);

TCallBack callback(CLongRunningCalculation::TaskStep, longCalc);

incre-Like CIdle, CPeriodic is initialized with a priority value and thetask is initiated by a call to Start(), passing settings for the timer as well

as a callback to perform increments of the task When the timer periodelapses, the CPeriodic object generates an event that is detected bythe active scheduler When there are no active objects of higher priorityrequiring event handling, the active scheduler calls the RunL() event

Trang 18

COMMON MISTAKES 149

handler of the CPeriodic object, which in turn calls its task-processingcallback function Thus, the callback may not be as exactly regular asthe periodic value passed to the Start() request If the timer completesbut other, higher-priority, active objects have completed events, theyare processed first Alternatively, the RunL() method of another activeobject may be running when the timer elapses and a running active objectcannot be pre-empted even if it has a lower priority than the CPeriodicobject

The response of signal and callback processing can be improved byensuring that all active objects in the thread perform short, efficientRunL()methods and that the CPeriodic object has a higher prioritythan other active objects

9.14 Common Mistakes

I’ve described the dos and don’ts of active objects fairly comprehensively

in this chapter and the previous one The most commonly encounteredproblem when writing active object code is the infamous ”stray signal”panic (E32USER-CBASE 46), which occurs when the active schedulerreceives a completion event but cannot find an active object to handle it(i.e one which is currently active and has a completed iStatus result,indicated by a value other than KRequestPending) Stray signals canarise for the following reasons:

• CActiveScheduler::Add() was not called when the active objectwas constructed

• SetActive() was not called following the submission of a request

to the asynchronous service provider

• the asynchronous service provider completed the TRequestStatus

of an active object more than once – either because of a programmingerror in the asynchronous service provider (for example, when analready-completed request is cancelled) or because more than onerequest was submitted simultaneously on the same active object

If a stray signal occurs from one of your active objects, it is worthchecking against each of these

Over the course of Chapters 8 and 9, I have described the cooperativemultitasking nature of active objects, which means that an active object’sRunL()event handler cannot be pre-empted by any other in that thread,except by using nested active scheduler loops, which are strongly dis-couraged In consequence, when using active objects for event handling

in, for example, a UI thread, their event-handler methods must be keptshort to keep the UI responsive

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Trang 19

No active object should have a monopoly on the active scheduler thatprevents other active objects from handling events Active objects should

be ”cooperative” This means you should guard against:

• writing lengthy RunL() or DoCancel() methods

• repeatedly resubmitting requests

• assigning your active objects a higher priority than is necessary

Stray signals can arise if:

• the active object is not added to the active scheduler

• SetActive() is not called following the submission of a request

• the active object is completed more than once for any given request.

9.15 Summary

While the previous chapter gave a high-level overview of active objects

on Symbian OS, this chapter focused on active objects in detail, walkingthrough the roles, responsibilities and interactions between the activescheduler, active objects and the asynchronous service providers theyencapsulate

It contained the detail necessary to write good active object or chronous service provider code and to extend the active scheduler.Example code illustrated the use of active objects for state machines andfor implementing background step-wise tasks, either using active objectsdirectly or through the CIdle wrapper class

asyn-At this level of detail, active objects can seem quite complex andthis chapter should mostly be used for reference until you start to workdirectly with complex active object code

Trang 20

Symbian OS Threads and Processes

Don’t disturb my circles!

Said to be the last words of Archimedes who was drawing geometricfigures in the dust and became so absorbed that he snapped at a Romansoldier The soldier became enraged, pulled out his sword and killed him

Chapters 8 and 9 discussed the role of active objects in multitasking code

on Symbian OS Active objects are preferred to threads for this rolebecause they were designed specifically to suit the resource-limited hard-ware upon which Symbian OS runs Multithreaded code has significantlyhigher run-time requirements compared to active objects: for example,

a context switch between threads may be an order of magnitude slowerthan a similar switch between active objects running in the same thread.1

Threads tend to have a larger size overhead too, typically requiring 4 KBkernel-side and 8 KB user-side for the program stack, compared to activeobjects, which generally occupy only the size of the C++ object (oftenless than 1 KB)

One of the main differences between multitasking with threads andactive objects is the way in which they are scheduled Active objectsmultitask cooperatively within a thread and, once handling an event,

an active object cannot be pre-empted by the active scheduler inwhich it runs Threads on Symbian OS are scheduled pre-emptively

1 A context switch between threads running in the same process requires the processor registers of the running thread to be stored, and the state of the thread replacing it to be restored If a reschedule occurs between threads running in two separate processes, the address space accessible to the thread, the process context, must additionally be stored and restored.

Simpo PDF Merge and Split Unregistered Version - http://www.simpopdf.com

Ngày đăng: 13/08/2014, 08:21

TỪ KHÓA LIÊN QUAN