Button handler never runs

I currently have a new button that seems okay (over behavior
shows correctly), but the .onRelease handler never hits a
breakpoint on the first statement. I tried the following experiment
on an old working button and I can't understand what I observed.
The working button is defined on the whole timeline, i.e., it
appears on frame 1 in a layer that has keyframes only on frame 1
and the last frame. The button handler is in Active Script on frame
1 in a separate actions layer. The script applies for the whole
timeline too. Now if I take frame 1 of the buttons layer and move
it to frame 5 so the button does not appear until frame 5, geez,
the button handler never runs. What is happening?
I tried the above experiment cuz the new button I can't get
to work does not appear at frame 1, even though its handler is in
that script that is on frame 1 (like the documentation tells you to
do - gather up all your code into a single program on frame 1 in an
actions layer.) However, making this new button start on frame 1
(by moving its starting frame back to 1) did not make it work.
Another property of my non-working button is that it is in a
layer folder. Moving this layer out of the folder made it work. Is
there some restriction that buttons can't be in a layer folder -
I'm using Action Script 2?

If the button script is not on a keyframe in frame 5, it is
"not there".
Enter an empty keyframe in frame 5, put the button script on
that
keyframe. Now the button (in frame 5) should work, too, if
you did not
mess anything else up. :)
Just because the script from frame 1 is shown in the AS
window when you
click somewhere in the timeline after frame 1, does not mean
that it
works the way you think it should.
Christian Scholz-Flöter

Similar Messages

  • My Pavilion a6417c The 'power button' light never illuminates. The fans all run at full.

    My Pavilion a6417c the 'power button' light never illuminates.  The fans all run at full. The only way to turn it off, is to unplug the Power Cable from the PSU.  The system does not boot.  If the PC is unplug for more than a week, it will boot.  But after 5 minutes it will turn off. 
    Eugenio

    Try a SMC reset:
    http://support.apple.com/kb/ht3964
    What does it show in System Profiler (Information)>Hardware >Power>Battery:
    This is from mine.
    Ciao

  • RE: [iPlanet-JATO] image button handling

    Hi Todd,
    from what I have seen so far on the Project they are just buttons on
    the page.
    In the interim, I modified RequestHandlingViewBase.acceptsRequest() to
    handle the matching of parameter and command child names.
    from
    if (request.getParameter(commands)!=null)
    return getCommandChildNames()[i];
    to
    if (request.getParameter(commands[i])!=null ||
    (request.getParameter(commands[i]+ ".x")!=null ))
    return getCommandChildNames()[i];
    This fixed the problem with the image buttons in our cases.
    Kostas
    -----Original Message-----
    From: Todd Fast
    Sent: 10/27/00 6:21 AM
    Subject: Re: [iPlanet-JATO] image button handling
    Hi Kostas--
    I wanted to get some feedback on the known issue of the
    handleXXXXRequest method not being fired for buttons which have
    images, due to the the browser submitting
    the pixel coordinates back to the server like this:
    Page1.ImageButton1.x=...
    Page1.ImageButton1.y=...
    As the ND conversion project we are currently working on heavily uses
    image buttons we would like to get and indication if and when a patch
    is planned for this.
    Our current work around is to remove the src attribute from the JATO
    tags in the JSPs.We are currently working on getting this fixed. One question--what is
    the
    relative type of usage of image buttons in your project? Are they just
    buttons on the page (view bean), or do they appear in tiled views as
    well?
    Todd
    [email protected]
    [Non-text portions of this message have been removed]

    OK, here's what I'm trying to do: We have, like you said, a menu
    page. The pages that it goes to and the number of links are all
    variable and read from the database. In NetD we were able to create
    URLs in the form
    pgXYZ?SPIDERSESSION=abcd
    so this is what I'm trying to replicate here. So the URL that works
    is
    pgContactUs?GXHC_GX_jst=fc7b7e61662d6164&GXHC_gx_session_id_=cc9c6dfa5
    601afa7
    which I interpreted to be the equivalent of the old Netd way. Our
    javascript also loads other frames of the page in the same manner.
    And I believe the URL-rewritten frame sources of a frameset look like
    this too.
    This all worked except for the timeout problem. In theory we could
    rewrite all URLs to go to a handler, but that would be...
    inconvenient.

  • Handle long-running EDT tasks (f.i. TreeModel searching)

    Note: this is a cross-post from SO
    http://stackoverflow.com/questions/9378232/handle-long-running-edt-tasks-f-i-treemodel-searching
    copied below, input highly appreciated :-)
    Cheers
    Jeanette
    Trigger is a recently re-detected SwingX issue (https://java.net/jira/browse/SWINGX-1233): support deep - that is under collapsed nodes as opposed to visible nodes only, which is the current behaviour - node searching.
    "Nichts leichter als das" with all my current exposure to SwingWorker: walk the TreeModel in the background thread and update the ui in process, like shown in a crude snippet below. Fest's EDT checker is happy enough, but then it only checks on repaint (which is nicely happening on the EDT here)
    Only ... strictly speaking, that background thread must be the EDT as it is accessing (by reading) the model. So, the questions are:
    - how to implement the search thread-correctly?
    - or can we live with that risk (heavily documented, of course)
    One possibility for a special case solution would be to have a second (cloned or otherwise "same"-made) model for searching and then find the corresponding matches in the "real" model. That doesn't play overly nicely with a general searching support, as that can't know anything about any particular model, that is can't create a clone even if it wanted. Plus it would have to apply all the view sorting/filtering (in future) ...
    // a crude worker (match hard-coded and directly coupled to the ui)
    public static class SearchWorker extends SwingWorker<Void, File> {
        private Enumeration enumer;
        private JXList list;
        private JXTree tree;
        public SearchWorker(Enumeration enumer, JXList list, JXTree tree) {
            this.enumer = enumer;
            this.list = list;
            this.tree = tree;
        @Override
        protected Void doInBackground() throws Exception {
            int count = 0;
            while (enumer.hasMoreElements()) {
                count++;
                File file = (File) enumer.nextElement();
                if (match(file)) {
                    publish(file);
                if (count > 100){
                    count = 0;
                    Thread.sleep(50);
            return null;
        @Override
        protected void process(List<File> chunks) {
            for (File file : chunks) {
                ((DefaultListModel) list.getModel()).addElement(file);
                TreePath path = createPathToRoot(file);
                tree.addSelectionPath(path);
                tree.scrollPathToVisible(path);
        private TreePath createPathToRoot(File file) {
            boolean result = false;
            List<File> path = new LinkedList<File>();
            while(!result && file != null) {
                result = file.equals(tree.getModel().getRoot());
                path.add(0, file);
                file = file.getParentFile();
            return new TreePath(path.toArray());
        private boolean match(File file) {
            return file.getName().startsWith("c");
    // its usage in terms of SwingX test support
    public void interactiveDeepSearch() {
        final FileSystemModel files = new FileSystemModel(new File("."));
        final JXTree tree = new JXTree(files);
        tree.setCellRenderer(new DefaultTreeRenderer(IconValues.FILE_ICON, StringValues.FILE_NAME));
        final JXList list = new JXList(new DefaultListModel());
        list.setCellRenderer(new DefaultListRenderer(StringValues.FILE_NAME));
        list.setVisibleRowCount(20);
        JXFrame frame = wrapWithScrollingInFrame(tree, "search files");
        frame.add(new JScrollPane(list), BorderLayout.SOUTH);
        Action traverse = new AbstractAction("worker") {
            @Override
            public void actionPerformed(ActionEvent e) {
                setEnabled(false);
                Enumeration fileEnum = new PreorderModelEnumeration(files);
                SwingWorker worker = new SearchWorker(fileEnum, list, tree);
                PropertyChangeListener l = new PropertyChangeListener() {
                    @Override
                    public void propertyChange(PropertyChangeEvent evt) {
                        if (evt.getNewValue() == SwingWorker.StateValue.DONE) {
                            //T.imeOut("search end ");
                            setEnabled(true);
                            ((SwingWorker) evt.getSource()).removePropertyChangeListener(this);
                worker.addPropertyChangeListener(l);
                // T.imeOn("starting search ... ");
                worker.execute();
        addAction(frame, traverse);
        show(frame)
    }

    At the end of the day, it turned out that I asked the wrong question (or right question in a wrong context ;-): the "problem" arose by an assumed solution, the real task to solve is to support a hierarchical search algorithm (right now the AbstractSearchable is heavily skewed on linear search).
    Once that will solved, the next question might be how much a framework can do to support concrete hierarchical searchables. Given the variety of custom implementations of TreeModels, that's most probably possible only for the most simple.
    Some thoughts that came up in the discussions here and the other forums. In a concrete context, first measure if the traversal is slow: most in-memory models are lightning fast to traverse, nothing needs to be done except using the basic support.
    Only if the traversal is the bottleneck (as f.i. in the FileSystemModel implementations of SwingX) additional work is needed:
    - in a truly immutable and unmodifiable TreeModel we might get away with read-only access in a SwingWorker's background thread
    - the unmodifiable precondition is violated in lazy loading/deleting scenarios
    there might be a natural custom data structure which backs the model, which is effectively kind-of "detached" from the actual model which allows synchronization to that backing model (in both traversal and view model)
    - pass the actual search back to the database
    - use an wrapper on top of a given TreeModel which guarantees to access the underlying model on the EDT
    - "fake" background searching: actually do so in small-enough blocks on the EDT (f.i. in a Timer) so that the user doesn't notice any delay
    Whatever the technical option to a slow search, there's the same usability problem to solve: how to present the delay to the end user? And that's an entirely different story, probably even more context/requirement dependent :-)
    Thanks for all the valuable input!
    Jeanette

  • Jobs Scheduled But Never Run or EM jobs remain in 'running' status

    Hi All,
    Please I need help on this: I have job scheduled through Oracle Enterprise Manager (OEM) but each time our Windows server is shutdown for patches update the job I scheduled failed and in the status column it shows that the job is still running ( Note: I do know how to stop/delete this job) BUT I will like to know if there's anything I need to do so that each time our server is shutdown the scheduled job will not fail to run.
    Thanks
    Wale

    Jobs Scheduled But Never Run or EM jobs remain in 'running' status what is the output of user_jobs and user_jobs_running views when this happens? especially last_date, last_sec, failures, broken columns.

  • SCSM 2012 Exchange connector 3.0 Status Never Run.

    HI ,
    SCSM exchange connector was Running for almost 8 months . all of sudden it stopped pulling email from Exchange  Server.
    I looked in to the issue and did not found any major error in the Event log “Operation Manager”
    Only event were warning, “OpsMgr Config Service failed to send the dirty state notifications to the dirty OpsMgr Health Services.  This may be happening because the Root OpsMgr Health Service is not running.”  I  did not installed SCOM at
    all. This server is not connected to any SCOM server.
    I have reinstalled the Exchange web Service API (copied file to SCSM folder)
    I have reinstalled  exchange connector 3.0  (copied files to SCSM folder and imported management packs)
    Created new Exchange connector and all test passed.
    But the connector status stays  “Never Run”
    In my regedit ,I also made the following changes
     KEY_LOCAL_MACHINE\SOFTWARE\Microsoft\System Center Service Manager Exchange Connector
    EnableEWSTracing = 7
    LoggingLevel= 7
    I have also looked and tried every option with  “Run as Account” and also making  admin Role.
    I am not getting any error in the log apart from  following warning .
    I did not found any major error in the Event log “Operation Manager
    Only event were warning, “OpsMgr Config Service failed to send the dirty state notifications to the dirty OpsMgr Health Services.  This may be happening because the Root OpsMgr Health Service is not running.
    Can someone help me , what should be the next step.

    the reason you are seeing operations manager errors is because Service manager uses the operations manager SDK to do all of it's work. the error that you are seeing "OpsMgr Config Service failed to send the dirty state notifications to the dirty OpsMgr
    Health Services.  This may be happening because the Root OpsMgr Health Service is not running." means that the service manager configuration service can't notify the data access service that there are changes to it's MP base, for whatever reason.
    i would stop all the system center services on this server, go into the service manager folder, find the "Health state" and "Config State" folders, and move them somewhere else on the system, then restart both services. assuming your
    system isn't otherwise damaged, this will force both the config and data access services to rebuild their cache from the database, and should unstick your workflows. 

  • How to Handle Long running alerts in process chain...Urgent!!!

    Hi All,
    I am trying to find ways for handling long running alerts in process chains.
    I need to be sending out mails if the processes are running for longer than a threshold value.
    I did check this post:
    Re: email notification in process chain
    Appreciate if anyone can forward the code from this post or suggest me other ways of handling these long running alerts.
    My email id is [email protected]
    Thanks and Regards
    Pavana.

    Hi Ravi,
    Thanks for your reply. I do know that i will need a custom program.
    I need to be sending out mails when there is a failure and also when process are running longer than a threshold.
    Please do forward any code you have for such a custom program.
    Expecting some help from the ever giving SDN forum.
    Thanks and Regards
    Pavana
    Message was edited by:
            pav ana

  • Every time I click the camera button it never works what should I do?

    Every time I click the camera button it never works what should I do?

    Try:
    - Reset the iOS device. Nothing will be lost      
    Reset iOS device: Hold down the On/Off button and the Home button at the same time for at
    least ten seconds, until the Apple logo appears.
    - Reset all settings                            
    Go to Settings > General > Reset and tap Reset All Settings.
    All your preferences and settings are reset. Information (such as contacts and calendars) and media (such as songs and videos) aren’t affected.
    - Restore from backup. See:                                               
    iOS: Back up and restore your iOS device with iCloud or iTunes
    - Restore to factory settings/new iOS device.                       
    If still problem, make an appointment at the Genius Bar of an Apple store since it appears you have a hardware problem.
    Apple Retail Store - Genius Bar                                                              

  • Exchange Connector 3.0 status Never Run

    Hi,
    I've setup lab enviroment of SCSM 2012 SP1 following the instructions:
    http://technet.microsoft.com/en-us/library/hh914226.aspx
    Everything works fine with an exception of Exchange Connector. It is stuck in status: Never Run
    I was able to configure the connector with out error. I checked the event logs and it showed success
    of all the config items and even showed it connected to an email that I sent to the workflow mailbox:
    Logs:
    Log Name:      Operations Manager
    Source:        Exchange Connector
    Date:          7/28/2014 11:52:00 AM
    Event ID:      0
    Task Category: None
    Level:         Information
    Keywords:      Classic
    User:          N/A
    Computer:      GENINGSCSMT01.CORP.IGES.SI
    Description:
    Exchange Connector: Attempting to connect to Exchange with the settings: login email address="contoso@CORP", impersonation email address="none", server URL="https://geningcas.corp.iges.si/EWS/Exchange.asmx" 
    Event Xml:
    <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
      <System>
        <Provider Name="Exchange Connector" />
        <EventID Qualifiers="0">0</EventID>
        <Level>4</Level>
        <Task>0</Task>
        <Keywords>0x80000000000000</Keywords>
        <TimeCreated SystemTime="2014-07-28T09:52:00.000000000Z" />
        <EventRecordID>152481</EventRecordID>
        <Channel>Operations Manager</Channel>
        <Computer>CONTOSO.COM</Computer>
        <Security />
      </System>
      <EventData>
        <Data>Exchange Connector: Attempting to connect to Exchange with the settings: login email address="testscsm@CORP", impersonation email address="none", server URL="...................................................................."
    </Data>
      </EventData>
    </Event>
    - Exchange Connector: Exchange web service tracing enabled.
    - Exchange Connector: Using Exchange Web Service URL:.....................
    EwsRequestHttpHeaders: <Trace Tag="EwsRequestHttpHeaders" Tid="1" Time="2014-07-28 09:52:00Z">
    POST /EWS/Exchange.asmx HTTP/1.1
    Content-Type: text/xml; charset=utf-8
    Accept: text/xml
    User-Agent: ExchangeServicesClient/14.03.0032.000
    Accept-Encoding: gzip,deflate
    </Trace>
    EwsRequest: <Trace Tag="EwsRequest" Tid="1" Time="2014-07-28 09:52:00Z" Version="14.03.0032.000">
      <?xml version="1.0" encoding="utf-8"?>
      <soap:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:m="http://schemas.microsoft.com/exchange/services/2006/messages" xmlns:t="http://schemas.microsoft.com/exchange/services/2006/types" xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/">
        <soap:Header>
          <t:RequestServerVersion Version="Exchange2007_SP1" />
          <t:TimeZoneContext>
            <t:TimeZoneDefinition Id="Central Europe Standard Time" />
          </t:TimeZoneContext>
        </soap:Header>
        <soap:Body>
          <m:FindItem Traversal="Shallow">
            <m:ItemShape>
              <t:BaseShape>AllProperties</t:BaseShape>
            </m:ItemShape>
            <m:IndexedPageItemView MaxEntriesReturned="1" Offset="0" BasePoint="Beginning" />
            <m:Restriction>
              <t:And>
                <t:IsEqualTo>
                  <t:FieldURI FieldURI="message:IsRead" />
                  <t:FieldURIOrConstant>
                    <t:Constant Value="false" />
                  </t:FieldURIOrConstant>
                </t:IsEqualTo>
                <t:IsEqualTo>
                  <t:FieldURI FieldURI="item:ItemClass" />
                  <t:FieldURIOrConstant>
                    <t:Constant Value="IPM.Note" />
                  </t:FieldURIOrConstant>
                </t:IsEqualTo>
              </t:And>
            </m:Restriction>
            <m:ParentFolderIds>
              <t:DistinguishedFolderId Id="inbox" />
            </m:ParentFolderIds>
          </m:FindItem>
        </soap:Body>
      </soap:Envelope>
    </Trace>
    EwsResponseHttpHeaders: <Trace Tag="EwsResponseHttpHeaders" Tid="1" Time="2014-07-28 09:52:00Z">
    200 OK
    Transfer-Encoding: chunked
    Content-Encoding: gzip
    Vary: Accept-Encoding
    Persistent-Auth: true
    Cache-Control: private
    Content-Type: text/xml; charset=utf-8
    Date: Mon, 28 Jul 2014 09:52:00 GMT
    Server: Microsoft-IIS/7.5
    X-AspNet-Version: 2.0.50727
    X-Powered-By: ASP.NET
    </Trace>
    EwsResponse: <Trace Tag="EwsResponse" Tid="1" Time="2014-07-28 09:52:00Z" Version="14.03.0032.000">
      <?xml version="1.0" encoding="utf-8"?>
      <s:Envelope xmlns:s="http://schemas.xmlsoap.org/soap/envelope/">
        <s:Header>
          <h:ServerVersionInfo MajorVersion="14" MinorVersion="2" MajorBuildNumber="347" MinorBuildNumber="0" Version="Exchange2010_SP2" xmlns:h="http://schemas.microsoft.com/exchange/services/2006/types"
    xmlns="http://schemas.microsoft.com/exchange/services/2006/types" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" />
        </s:Header>
        <s:Body xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
          <m:FindItemResponse xmlns:m="http://schemas.microsoft.com/exchange/services/2006/messages" xmlns:t="http://schemas.microsoft.com/exchange/services/2006/types">
            <m:ResponseMessages>
              <m:FindItemResponseMessage ResponseClass="Success">
                <m:ResponseCode>NoError</m:ResponseCode>
                <m:RootFolder IndexedPagingOffset="1" TotalItemsInView="2" IncludesLastItemInRange="false">
                  <t:Items>
                    <t:Message>
                      <t:ItemId Id="AAMkAGY0NWM1MDJlLWNlYzctNDUwMy04NjUyLWZmNmJhODZmZWFjNwBGAAAAAABEWg/FMFIlQ6snViUYxTCgBwCX9G6oX6gvSK4RK8YlCtwaAAAApoPnAACX9G6oX6gvSK4RK8YlCtwaAAAApqtHAAA=" ChangeKey="CQAAABYAAACX9G6oX6gvSK4RK8YlCtwaAAAApwJt"
    />
                      <t:ParentFolderId Id="AAMkAGY0NWM1MDJlLWNlYzctNDUwMy04NjUyLWZmNmJhODZmZWFjNwAuAAAAAABEWg/FMFIlQ6snViUYxTCgAQCX9G6oX6gvSK4RK8YlCtwaAAAApoPnAAA=" ChangeKey="AQAAAA==" />
                      <t:ItemClass>IPM.Note</t:ItemClass>
                      <t:Subject>FW:
    Test 2</t:Subject>
                      <t:Sensitivity>Normal</t:Sensitivity>
                      <t:DateTimeReceived>2014-06-13T05:41:55Z</t:DateTimeReceived>
                      <t:Size>9889</t:Size>
                      <t:Importance>Normal</t:Importance>
                      <t:IsSubmitted>false</t:IsSubmitted>
                      <t:IsDraft>false</t:IsDraft>
                      <t:IsFromMe>false</t:IsFromMe>
                      <t:IsResend>false</t:IsResend>
                      <t:IsUnmodified>true</t:IsUnmodified>
                      <t:DateTimeSent>2014-06-13T05:41:53Z</t:DateTimeSent>
                      <t:DateTimeCreated>2014-06-13T05:41:55Z</t:DateTimeCreated>
                      <t:ReminderIsSet>false</t:ReminderIsSet>
                      <t:ReminderMinutesBeforeStart>0</t:ReminderMinutesBeforeStart>
                      <t:DisplayCc />
                      <t:DisplayTo>Test Scsm</t:DisplayTo>
                      <t:HasAttachments>false</t:HasAttachments>
                      <t:Culture>en-US</t:Culture>
                      <t:EffectiveRights>
                        <t:CreateAssociated>false</t:CreateAssociated>
                        <t:CreateContents>false</t:CreateContents>
                        <t:CreateHierarchy>false</t:CreateHierarchy>
                        <t:Delete>true</t:Delete>
                        <t:Modify>true</t:Modify>
                        <t:Read>true</t:Read>
                      </t:EffectiveRights>
                      <t:LastModifiedName>Gorazd Lenko</t:LastModifiedName>
                      <t:LastModifiedTime>2014-06-13T05:41:55Z</t:LastModifiedTime>
                      <t:Sender>
                        <t:Mailbox>
                          <t:Name>Gorazd Lenko</t:Name>
                        </t:Mailbox>
                      </t:Sender>
                      <t:IsReadReceiptRequested>false</t:IsReadReceiptRequested>
                      <t:IsDeliveryReceiptRequested>false</t:IsDeliveryReceiptRequested>
                      <t:ConversationIndex>Ac+Gyiy/zkDKDTIqSzSWEj8rvPTxVQ==</t:ConversationIndex>
                      <t:ConversationTopic>test2</t:ConversationTopic>
                      <t:From>
                        <t:Mailbox>
                          <t:Name>Gorazd Lenko</t:Name>
                        </t:Mailbox>
                      </t:From>
                      <t:InternetMessageId>&lt;CC14C50767AF3448BEC68A24DC76AC439F00CDE0@&gt;</t:InternetMessageId>
                      <t:IsRead>false</t:IsRead>
                      <t:IsResponseRequested>false</t:IsResponseRequested>
                      <t:ReceivedBy>
                        <t:Mailbox>
                          <t:Name>Test Scsm</t:Name>
                        </t:Mailbox>
                      </t:ReceivedBy>
                      <t:ReceivedRepresenting>
                        <t:Mailbox>
                          <t:Name>Test Scsm</t:Name>
                        </t:Mailbox>
                      </t:ReceivedRepresenting>
                    </t:Message>
                  </t:Items>
                </m:RootFolder>
              </m:FindItemResponseMessage>
            </m:ResponseMessages>
          </m:FindItemResponse>
        </s:Body>
      </s:Envelope>
    </Trace>
    As you can see from the last event (bold letters) the Workflow account manages to get to the Exchange account, reads the inbox, but it isn't able to poll the message to SM. 
    Any ideas guys?

    Hi,
    It was set to Default Incident Template. I have created a new Incident template and recreated Exchange Connector, but the issue is still present. Workflow account is a member of SCSM Admin role, Workflow role and a local admin on the server. It is also Sysadmin
    on the database.
    On the Exchange server I have also ran Get_MailboxStatistics command and the output:
    [PS] C:\Windows\system32>Get-MailboxStatistics  | select lastlog* | fl
    cmdlet Get-MailboxStatistics at command pipeline position 1
    Supply values for the following parameters:
    Identity: testscsm
    LastLoggedOnUserAccount : CORP\testscsm
    LastLogoffTime          :  31.7.2014 7:45:14
    LastLogonTime           : 31.7.2014 7:39:58
    So that means that the a
    ccount logs in to mailbox but is unable to process emails.
    Also I have found the difference in the EWSLogEntry on the test and production server:
    The production log says:
    <m:IndexedPageItemView MaxEntriesReturned="2147483647" Offset="0" BasePoint="Beginning" />
    and the test log:
    <m:IndexedPageItemView MaxEntriesReturned="1"
    Offset="0" BasePoint="Beginning" />
    Is there any way I can edit those settings?

  • Default Button Handling

    i want to know about Default Button Handling.
    Default Button means "Auto Focused Submit Button when i click page and press enter key ".
    i want to know how can i set some submit button to Default Submit Button.
    Message was edited by:
    Redsky21
    Message was edited by:
    Redsky21

    The description is still quite not understandable. Please put it in more detail with a sample scenario if possible.
    --Shiv                                                                                                                                                                                                                                                           

  • How can I disable back, forward and refresh button in browser running ADF 11.1.2.2

    How can I disable back, forward and refresh button in browser running ADF 11.1.2.2?

    I insert the java script into ADF page. But it does not work. The ADF source look like below. Did I insert into wrong region?
       <f:view>
            <af:document id="d1">
                <af:messages id="m1"/>
                <af:resource type="javascript">
                  window.history.forward();
                  function noBack() {
                      window.history.forward();
                </af:resource>
                <af:form id="f1">
                    <af:pageTemplate viewId="/template/temp2.jspx" id="pt1">
                        <f:facet name="body">
                            <af:panelStretchLayout id="psl1" topHeight="30px">
                                <f:facet name="bottom"/>
                                <f:facet name="center">
                                    <af:panelBox text="Incident List" id="pb1">
                                        <f:facet name="toolbar"/>
                                        <af:panelCollection id="pc1">
                                            <f:facet name="menus"/>
                                            <f:facet name="toolbar"/>
                                            <f:facet name="statusbar"/>
                                            <af:table value="#{bindings.ServiceRequestMain.collectionModel}" var="row"
                                                      rows="#{bindings.ServiceRequestMain.rangeSize}"

  • I've never run verify disk permissions before, but I finally have, and it says it's going to take an hour and 35 minutes to complete.

    Although it keeps actively finding problems with the disk, the progress bar hasn't changed for more than a half an hour, and it still says it's going to take an hour and 35 minutes. I'm starting to worry it will never be done! My laptop, a Macbook Pro, is pretty old - about five years, and I don't know if the fact that I've never run a verify disk permissions before has anything to do with it.
    The only non-greyed out option is to currently 'stop permission verify'.

    Just let it run, it probably won't take that long. Also you may benefit from reading Disk Utility's Repair Disk Permissions messages that you can safely ignore.
    Roger

  • Maintenance scripts never run?/using terminal

    Hi everyone! I am a very new Mac user and am finding at times it to be completely daunting.
    So my question/problem is this: I shut down my computer nightly, and from what I have researched, it does not perform maintenance. I did a Terminal command to find when my script last ran and received this:
    ls: /var/log/*.out: No such file or directory
    Does this mean the scripts have never run? Can I change the default times these are executed?
    I also went into the launchdaemons folder and it is empty. Does that mean anything?
    I could really used a dumb down version of any answers, I have never used a Mac before I bought one, and actually just learned of the Terminal program today. I have been to The X Lab and read through that site, and searched the forum here.
    Sorry for all the questions, I am so confused and terrified of damaging this computer.
    Thank you in advance!

    Welcome To  Discussions irach!
    Here is some additional info.
    As Kappy posted, if you turn the Mac off nightly, the Background Maintenance Tasks, are never run.
    These can also be run, using a Third-Party utility, or manually using Terminal, to run the CRON Commands.
    I use MacJanitor, when necessary.
    INSTRUCTIONS TO RUN CRON MANUAL COMMANDS
    Quit all applications/programs.
    Navigate to HD > Applications > Utilities.
    Double click on Terminal, to open.
    At the prompt, type:
    sudo periodic daily
    Press Return.
    Enter your Admin password when prompted, then press Return.
    This will execute the daily script that is sheduled to run every night.
    When completed, repeat this procedure, but change the command to:
    sudo periodic weekly
    This one rebuilds a database or two, and usually takes somewhat longer to complete. It is scheduled to run once a week.
    Repeat again, with command:
    sudo periodic monthly
    Or they can all be run in one pass, which is preferable, with this command:
    sudo periodic daily weekly monthly
    When the tasks complete, and return to the prompt, you may quit Terminal.
    Restart the Mac, and run Repair Permissions.
    TO REPAIR PERMISSIONS ON THE STARTUP DISK
    1.Open Disk Utility, located in Applications/Utilities, and select the startup disk in the left column.
    2.Click First Aid.
    3.Click Verify Disk Permissions to test permissions or Repair Disk Permissions to test and repair permissions. (I never "Verify". Just run "Repair".)
    Rerun RP, until the only messages reported, are listed here Spurious Permissions Errors Using: 10.4.x, authored by Michael Conniff.
    When "Repair Permissions" is complete. Quit "Disk Utility".
    ali b

  • Random numbers, whithin a button handler class

    For my last project I need to create a program that opens a window with 10 text boxes, all displaying "0" at first and a button labled New Numbers. When this button is pushed it needs to generate random numbers within all of the text fields. I have been able to create one that has the text boxes and the button, but in the button handler class the random numbers will not generate properly.I figured that if I could get the button handler class to at least change just the first text field then I would be able to get the rest, but I can't even seem to get that far. Below is what I have so far, any help or guidence would really be appreciated.. Thanks
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Program6
         public static void main(String [] args)
              MyFrame frame = new MyFrame("Alan Jackson - Program 6");
              frame.pack();
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setVisible(true);
    class MyFrame extends JFrame
         JTextField [] txt = new JTextField[10];
         JButton btnNewNumbers;
         public MyFrame(String S)
              super(S);
              setLayout(new FlowLayout());
              btnNewNumbers = new JButton("New Numbers");
              int i = 0;
              while(i<10)
                   txt[i] = new JTextField("0",12);
                   add(txt);
                   i++;
              add (btnNewNumbers);     
              btnNewNumbers.addActionListener(new ButtonHandler());
              class ButtonHandler implements ActionListener
                   public void actionPerformed(ActionEvent random)
                        txt[0].setText((int) (Math.random() * 100 +1));                    

    Next time, please use CODE tags, to post your code.
    class MyFrame extends JFrame{
         JTextField [] txt = new JTextField[10];
         JButton btnNewNumbers;
         public MyFrame(String S){
              super(S);
              setLayout(new FlowLayout());
              btnNewNumbers = new JButton("New Numbers");
              int i=0;
              while(i<10){
                   txt[i] = new JTextField("0",12); //<<<<< changed
                   add(txt);
                   i++;
              add (btnNewNumbers);
              btnNewNumbers.addActionListener(new ActionListener(){
                   public void actionPerformed(ActionEvent random){
                        for(int i = 0; i< 10; i++){
                             txt[i].setText(Integer.toString((int) (Math.random() * 100 +1)));

  • I hit the power button and it runs for a second then turns off but the power buttton stays lit

    i hit the power button and it runs for a second then turns off but the power buttton stays lit

    What machine?
    Mac Pro? Mac Pro what?
    If Mac Pro, wrong forum. Go here:
    Mac Pro

Maybe you are looking for