! used in toggles

Hi All,
Does anyone know about the use of the exclamation mark "!"
used in AS3, It's used as a toggle as in the following;
// Invoked when the mouse pointer moves over a text field.
private function mouseOverListener(e:MouseEvent):void{
// If the TextField's parent Sprite does not already contain
// the shape, then move it there.
DisplayObjectContainer.contains()
// returns true if the specified object is a descendant
// of the container.
if (!e.target.parent.contains(bgRect)){
e.target.parent.addChildAt(bgRect, 0);
But I cannot get my head around, how it acheives this, as in
how does this create or act as a toggle? Get me?
An easier example may suffice, anyone got any?
Sorry, if this seems rather a small problem, but it's Sunday;
on Sundays I study AS3. Maybe I've just worked through Moocks Book
to much ;) Hahahahahah
Kind Regards,
Boxing Boom

The ! operator inverts a Boolean value: meaning toggling
between true and false.
An example would be:
var theSkyIsBlue:Boolean == true;
trace(theSkyIsBlue); // true
theSkyIsBlue = !theSkyIsBlue;// changes theSkyIsBlue (which
is true at this point) to theSkyIsBlue = false
trace(theSkyIsBlue); // false
theSkyIsBlue = !theSkyIsBlue; //changes theSkyIsBlue (which
is false at this point) to theSkyIsBlue = true
trace(theSkyIsBlue); // traces true again - so the Boolean
value toggles between true and false
In your example, the contains() method of the parent of
e.target returns a Boolean value. Simply it says either yes, it's
true that the parent contains bgRect, or no, it's false, it doesn't
contain bgRect.
In this context the ! operator
(!e.target.parent.contains(bgRect)) can be considered equivalent
to:
if (e.target.parent.contains(bgRect) == false) ...
TS

Similar Messages

  • I used to be able to skip a cell to the right by using the toggle arrow keys

    I placing a number or text in a cell i used to be able to skip the cell to the right by using the toggle arrow keys.  I can't now?  Using the RETURN key only goes down a cell.  I want to go right?  Why?

    Hi Mark,
    In Numbers 3, an arrow key moves the cursor one cell up, down, left or right.
    Tab moves one cell right. Shift tab moves one cell left.
    The command key and an arrow key will take the cursor to top, bottom, left or right of a table.
    via the arrow keys (next to the letterM and question mark?).
    I am puzzled by this. Between the letter M and ? I have < above comma (,) and > above full stop (.)
    Shift command < zooms out and shift command > zooms in.
    Regards,
    Ian.

  • Ipod 5 ios 8 not letting me use cc toggles and grabbers

    When i I tried to use the lockscreen camera it crashes and the app toggles in the lockscreen doesnt work any ideas why ???????

    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.   

  • Using Command + ` toggles ONCE through my Safari windows, but won't cycle BACK.  Why?

    I read up on how to toggle through my Safari windows by using the Command + ` and it works fine to go forward, but it won't go back to the other window once I use it.
    Example: I have 2 (two) open Safari windows, I use Command + ` to move to the other window, but once at that window, using Command + ` again will NOT move me back to my original Safari window.  Why? 
    What keyboard shortcut can I use to go back/circle all the way through?  I know about using Expose' and other shortcuts, but I am looking specifically for a KEYBOARD shortcut. 
    Thank you in advance,
    mVice

    Okay, I was sadly mistaken!!! The bête noire tis back!  It seems as if whenever I have a video playing within Safari, it prevents the window cycling to go past the window playing the video.
    So lets say I have four windows open:
    1=google.com
    2=facebook.com
    3=projectfreetv.com(home page)
    4=breakingbad.projectfreetv.com(actual video). 
    If I am on #1, I can cycle to #2, #3, and #4, but it stops after its hits #4, (actual video).  I then can manually click on #3, and it will cycle to #4, but then it stops.  If I manually click on #2, it will go to #3, but stop after #4.  If I am on #4, it wont cycle.
    So, N.Hillyer, I tried your suggestion, but alas, if I am watching a video, it will not allow me to cycle past that window.  What is the deal?  And no, it's not just projectfreetv's website, it also prevents cycling from uverse.com, abc.com, mtv.com etc.  This is quite frustrating!  No matter how many times I clear the cache, once I start watching a video it prevents me from cycling :-(  Please help!
    Thanks in advance,
    mVice

  • I need some information about using multiple toggle groups??

    Hi,
    I am trying to implement multiple toggle groups in javafx(one for radio button and one for toggle buttons).
    On selecting one of the radio buttons , the toggle buttons appear and I need to perform some operation based on the selected toggle button value.
    But for me only the radio button toggling is working.
    The toggle button is coming as disabled.
    Please help me out.

    Can you post a short, self-contained, correct example demonstrating the problem? The following example works fine for me:
    import javafx.application.Application;
    import javafx.scene.Scene;
    import javafx.scene.control.RadioButton;
    import javafx.scene.control.ToggleButton;
    import javafx.scene.control.ToggleGroup;
    import javafx.scene.layout.HBox;
    import javafx.scene.layout.VBox;
    import javafx.stage.Stage;
    public class MultipleToggleGroupExample extends Application {
      @Override
      public void start(Stage primaryStage) {
      final ToggleGroup radioButtonGroup = new ToggleGroup();
      final RadioButton rb1 = new RadioButton("Choice 1");
      final RadioButton rb2 = new RadioButton("Choice 2");
      rb1.setToggleGroup(radioButtonGroup);
      rb2.setToggleGroup(radioButtonGroup);
      final ToggleGroup toggleButtonGroup = new ToggleGroup();
      final ToggleButton tb1 = new ToggleButton("Choice A");
      final ToggleButton tb2 = new ToggleButton("Choice B");
      tb1.setToggleGroup(toggleButtonGroup);
      tb2.setToggleGroup(toggleButtonGroup);
      final HBox root = new HBox(10);
      final VBox radioButtons = new VBox(5);
      radioButtons.getChildren().addAll(rb1, rb2);
      final VBox toggleButtons = new VBox(5);
      toggleButtons.getChildren().addAll(tb1, tb2);
      root.getChildren().addAll(radioButtons, toggleButtons);
      toggleButtons.visibleProperty().bind(rb2.selectedProperty());
      primaryStage.setScene(new Scene(root, 600, 400));
      primaryStage.show();
      public static void main(String[] args) {
      launch(args);

  • How to use multiple connections for xcelsius dashboard via toggle button

    Can anyone shed some light on how to apply a toggle button for multiple connections using xcelsius dashboard.
    I created two SAP connections in my xcelsius dashboard.  The first connection uses query 1 (bottom ten customers) and the second connection uses query 2 (top ten customers).  I wanted to use a toggle button where the user would click Top Ten customers versus Bottom Ten customers.  Which ever the user clicks in the toggle botton would run that query.
    If the toggle button is not the way to handle this can someone explain a better approach to run either query in the same dashboard.
    Thanks,
    Joe

    Hi,
    I've never had to do this so have no practical experience.  However in theory you should be able to do the following (assuming the data connection type youu2019re using has the "Usage" tab):
    Set up the two connections as normal - On the usage tab set the detail query to Refresh before components are loaded and make sure that this is unchecked for the other query.  Set both queries to populate the same range so that one query will overwrite the other in the Xcelsius spreadsheet.
    Bind a toggle button to a cell e.g. A1
    Back to the data connections again and set the "Refresh on trigger" trigger cell to A1.  And set the "When Value Becomes" to either "On" or "Off" dependent on how you've set up the toggle button.  Repeat for the other query.
    Hope this helps,
    Paul

  • Toggle Option in Process Chain not working

    Hello SDNers,
    I am experiencing the below scenario with one of my process chain.
    Process Chain FLow
    Start
    |
    |
    Local Chain (To delete the already existing file from Application Server(ZFTP))
    |
    Local chain to rename the file
    |
    |
    Local chain (Load data to cube)
    |
    |
    Local chain to backup a file from Appl. Server
    In the above flow, the step 2 has been set to proceed further even if there are no files to delete in the application server. To achieve this I am using a toggle option between the step 2 and 3.
    At times, the chain progress further when there are no files to delete as expected but not all the times.
    I am trying to figure why the step which is supposed to progress further is not progressing some times even though it has been set to move further.
    Any advice would be helpful.
    Regards,
    Vinoth

    Hello Venkatesh,
    Thank You for your Patience.
    I have BW systems both running in the SAP_BW Versions 730 & 701.
    I have checked the folders " Other BW Processes " & "Other" and below are the process types.
    Other BW Processes
    Attribute Change Run
    Adjustment of Time-Dependent Aggregates
    Deletion of Requests from PSA
    Deletion of Requests from the Change Log
    Execute Planning Sequence
    Switch Realtime InfoCube to Plan Mode
    Switch Realtime InfoCube to Load Mode
    Reorganize Attributes and Texts for Master Data
    Execute Analysis Process
    Update Explorer Properties of BW Objects
    Other
    Event in SAP CPS
    Job in SAP CPS
    Last Customer Contact Update (Retraction)
    Regards,
    Vinoth V

  • Hidden, Visible and back to Hidden using a radio button

    Ok this might be really simple for someone to answer.
    I have a radio button I'm using to toggle between two list boxes with multiple lines of text (hidden and then visible). Here's the problem, when I toggle the radio button back and forth I have both list boxes displaying thier notes at the same time. I would like to have the radio button display one messages at a time when you toggle between them. Here is my script.
    Radio Button named Violation:
    form1.#pageSet[0].Page1.#subform[0].action[1].Violation::click - (JavaScript, client)
    if (this.rawValue == null) {
         Notes.presence = "hidden";
    else {
         Notes.presence = "visible";
    Radio Button named Suspension:
    form1.#pageSet[0].Page1.#subform[0].action[1].Suspension::click - (JavaScript, client)
    if (this.rawValue == null) {
         Notes2.presence = "hidden";
    else {
         Notes2.presence = "visible";

    Notes and Notes2 are list boxes. Violation and Suspension are radio buttons. Is that correct? If so, are Violation and Suspension in an exclusion group?
    Is this the requirement, Violation should display Notes and hide Notes2 and Suspension should hide Notes and display Notes2?
    Steve

  • Get selected rows using the fm REUSE_ALV_GRID_DISPLAY_LVC

    FYI ... for all those developers trying to select multiple rows in an ALV report, and get the selected rows - without using the OO approach to display to ALV, and without using checkboxes in the function module approach.  First off, you need to use the function module REUSE_ALV_GRID_DISPLAY_LVC instead of the standard REUSE_ALV_GRID_DISPLAY.  This allows you to select multiple rows using the toggle, line selection buttons, at the start of each row (with 'select all' button).  See the sample code below.  If you are converting from the one fm to the other, you will have to change the type of 2 of the structures to the 'LVC' structures and make minor code changes.  The example code below was initially using the REUSE_ALV_GRID_DISPLAY fm, and was converted to use REUSE_ALV_GRID_DISPLAY_LVC  to allow for multiple row selection.  The next step is to create a custom status, with a new custom button, that will start the processing of the selected rows.  Go to tcode SE41, press Copy Status, and copy program SAPLKKBL, status STANDARD, to your custom program (same name as the custom ALV rpt) and a new status name (ie STANDARD1).  In the new STANDARD1 status for the custom ALV program/rpt (tcode SE41), add a new button ('&EXE') at the end of the std buttons (items 29-35).  Assign the new button a Text, Icon and a Function Key. Thats it!
    Here's the code:
    FORM display_data.
    DATA:
      wa_callback_program LIKE sy-repid,
      wa_layout      TYPE lvc_s_layo,  "was  slis_layout_alv,       "D01K913690
      t_fieldcat        TYPE lvc_t_fcat,   "was  slis_t_fieldcat_alv,  "D01K913690
      wa_fieldcat    TYPE lvc_s_fcat,  "was  slis_fieldcat_alv,     "D01K913690
      t_excluding     TYPE slis_t_extab,
      wa_excluding TYPE slis_extab,
      wa_variant     LIKE disvariant.
    * Setup Field Catalog
      CLEAR wa_fieldcat.
      wa_fieldcat-fieldname  = 'ZBUKR'.
      wa_fieldcat-ref_field    = 'ZBUKR'.
      wa_fieldcat-ref_table   = 'REGUT'.
      APPEND wa_fieldcat TO t_fieldcat.
      CLEAR wa_fieldcat.
      wa_fieldcat-fieldname = 'BANKS'.
      wa_fieldcat-ref_field   = 'BANKS'.
      wa_fieldcat-ref_table  = 'REGUT'.
      APPEND wa_fieldcat TO t_fieldcat.
    * Setup other ALV fm parameters
      CLEAR wa_excluding.
      wa_excluding-fcode = '&F12'.
      APPEND wa_excluding TO t_excluding.
      CLEAR wa_excluding.
      wa_excluding-fcode = '&F15'.
      APPEND wa_excluding TO t_excluding.
    * Callback program
      wa_callback_program = sy-repid.
    * List layout
      wa_layout-zebra = 'X'.
      wa_layout-sel_mode = 'A'.
    * variant
      wa_variant-variant  = p_var.
    * Display the ALV report
      CALL FUNCTION 'REUSE_ALV_GRID_DISPLAY_LVC'                "D01K913690
           EXPORTING
                i_callback_program             = wa_callback_program
                i_callback_pf_status_set    = 'SET_PF_STATUS'              "D01K913690
                i_callback_user_command  = 'USER_COMMAND'
                is_layout_lvc                       = wa_layout                          "D01K913690
                it_fieldcat_lvc                      = t_fieldcat                            "D01K913690
                it_excluding                         = t_excluding
                i_save                                 = 'A'
                is_variant                            = wa_variant
           TABLES
                t_outtab                              = t_regut
    *      EXCEPTIONS
    *           PROGRAM_ERROR            = 1
    *           OTHERS                             = 2
    ENDFORM.                               " DISPLAY_DATA
    FORM user_command
      USING
        r_ucomm     LIKE sy-ucomm
        rs_selfield TYPE slis_selfield.
      DATA: wa_text(80) TYPE c.
      CASE r_ucomm.
        WHEN '&EXE'.   "User pressed custom Execute button
          DATA ref1 TYPE REF TO cl_gui_alv_grid.
          CALL FUNCTION 'GET_GLOBALS_FROM_SLVC_FULLSCR'
            IMPORTING
              e_grid = ref1.
          DATA: lt_index_rows TYPE lvc_t_row,
                     lt_row_no TYPE lvc_t_roid,
                     lw_row_no TYPE lvc_s_roid.
          CALL METHOD ref1->get_selected_rows
            IMPORTING
              et_index_rows = lt_index_rows
              et_row_no     = lt_row_no.
          LOOP AT lt_row_no
             INTO lw_row_no.
             *** CODE TO PROCESS EACH RECORD FROM MULTIPLE SELECTED***
          ENDLOOP.  "loop at lt_row_no
        WHEN '&IC1'.  "User double-clicked on row
          *** CODE TO PROCESS SINGLE RECORD SELECTED ***
        WHEN '&F03' .          " back
          SET SCREEN 0. LEAVE SCREEN.
        WHEN '&F15' .          " exit
          SET SCREEN 0. LEAVE SCREEN.
        WHEN '&F12' .          " cancel
          SET SCREEN 0. LEAVE SCREEN.
      ENDCASE.
    ENDFORM.                               " USER_COMMAND
    FORM set_pf_status USING rt_extab TYPE slis_t_extab.
      SET PF-STATUS 'STANDARD1'.
    ENDFORM. " set_pf_status
    Hope this helps ...
    Regards,
    Kevin
    Moderator message - Welcome to SCN.
    However, as you can see, the forum software was unable to format this because of the 2,500 character posting limit. since this looks interesting, would you please try to edit to conform to that limitation? You may try to split it into an initial post and a response.
    Edited by: Rob Burbank on Jul 8, 2009 1:39 PM

    Hi ,
         Make it use in your code and let me know if u have any concerns...
        Use "Subtotal_text" in events table.
    here GTOTAL is field in itab on which we sortindf data, and use your own field on which field u want to sort...
    refresh gt_event.
    clear gw_event.
    call function 'REUSE_ALV_EVENTS_GET'
       EXPORTING
         i_list_type = 0
       IMPORTING
         et_events   = gt_event.
    Subtotal
    read table gt_event with key name = slis_ev_subtotal_text into gw_event.
    if sy-subrc = 0.
       move 'SUBTOTAL_TEXT' to gw_event-form.
       append gw_event to gt_event.
    endif.
         form subtotal_text using uw_subtot_line type ty_main
                    uv_subtottxt type slis_subtot_text.  "#EC CALLED
    if uv_subtottxt-criteria = 'GTOTAL'.
       uv_subtottxt-display_text_for_subtotal = 'TOTAL'.
    endif.
         *FORM build_sort .
    refresh gt_sort.
    gw_sort-spos      = 1.
    gw_sort-fieldname = 'GTOTAL'.
    gw_sort-tabname   = 'GT_MAIN'.
    gw_sort-up        = 'X'.
    gw_sort-subtot    = 'X'.
    APPEND gw_sort TO gt_sort.
    CLEAR gw_sort.
    Reward points once its useful..

  • How to program limit switches as on/off switches using LabView

    I am attempting to write a program in LabView (using an NI USB-6008 controller) which will turn a pump on or off based on the water level in a container.  I am using a floatation device along with limit switches (something like an electronic version of a toilet float switch) which I would like to use to signal the pump to turn on or off.  When the bottom limit switch is triggered, I want the pump to turn on and remain on until the top limit switch is triggered.  When the top switch is triggered, I want the pump to turn off until the bottom switch is triggered.  I can't just use a case structure because the pump would only stay on when the switch was actually being depressed.  After searching around, I've seen some indication that you could potentially use a toggle command, a trigger command, or an event structure to do this, but I'm not sure which (if any) would actually work best or the particulars about how to configure those commands to do what I want.  I am still learning LabView, so simplicity in answering would be appreciated.  Thank you.

    Use a state machine architecture.
    Read both digital lines for the "limit" switches. Depending on the reading, switch on or off the pump (in case a limit was triggered), otherwise, keep the status of the pump.
    As water level shouldnt rise/sink very fast (i hope), a polling time of about 200-500ms sounds reasonable.
    Norbert
    CEO: What exactly is stopping us from doing this?
    Expert: Geometry
    Marketing Manager: Just ignore it.

  • How do I toggle to an lcd projector?

    I need to project to an LCD projector from my macbook pro. What keys do I use to toggle back and forth?

    Hi r,
    I'm not quite sure what you want to do. Why not just run it in Mirror, so the same thing is run on both displays, then there is no toggling needed?

  • Use of text in a movie clip

    Hello
    I am trying to use Text | New Text | Default Text at the beginning of a clip. I have managed to get the text to fade in but not to fade out. Is it possible to use both those techniques on the same text? I wondered, too, if it were possible to prolong the time that the text is visible on screen, because mine disappears quite quickly. It might appear, for example, for 3-4 seconds on a 12 second clip and I would like to be able to extend it a little.
    Thanks!
    Steve

    SteveH59
    I am not sure just have far into keyframing properties, in particular Opacity in your situation for Fade In Fade Out titles.
    Prolonging the duration of the title at a fixed level is best achieved by keyframing the Opacity yourself.
    What version of Premiere Elements are you using and on what computer operating system is it running?
    In the absence of that information, generalizing
    a. if you are going use the Toggle Animation route, then manual keyframing of the Opacity property would achieve that goal.
    b. if you are going to go with the Ctrl click placement of Opacity keyframes on the Video track content's rubberband, then position those keyframes with the mouse cursor can be done to achieve the goal.
    http://atr935.blogspot.com/2013/06/pe11-video-and-audio-track-rubberband.html
    I do not know if you will ever need the following, but I include this information just in case. It relates to some shortcomings with use of the FadeIn FadeOut under specified conditions.
    http://atr935.blogspot.com/2013/06/pe11-timeline-fade-out-shortcuts-and.html
    Please update us on your progress when you get the chance.
    Thank you.
    ATR

  • Toggle Layers Visibility Animation in Pre-Comp

    Hi, I want to make a pre-comp with 2 mouse-pointer images, the one has the normal state, the other image has teh pressed pointer state. Now in a parent layer it'd be wonderful if I could use this pointer-pre-comp and when ever I want to show a pressed-pointer, I set a keyframe set (pree / unpress) to the pointer-pre-comp within the parent-pre-comp ... is such a thing doable ? Because rt now I'm animating out every single step.
    Regards,
    Frank

    If you know anything about expressions you could do it with a Slider Controll. Because the pointer and the over state are different sizes you'll have to change opacity of both layers. I'm calling your pointer comp "pointerComp" (this name doesn't matter) and attaching adding the expression slider to a null named PointerController (not important) in the mainComp i'm naming "Main Comp" (and that name matters a bunch). I also named the slider Opacity Slider by selecting it in the ECW and pressing return the same way you rename layers in the timeline.
    Here's the expression for the over layer's opacity:
    comp("Main Comp").layer("PointerController").effect("OpacitySlider")("Slider");
    for the second or normal layer we'll do something a little different. I'm going to subtract the value of the slide from 100 because opacity can only be in values from 0 to 100.
    The expression looks like this:
    100 - comp("Main Comp").layer("PointerController").effect("OpacitySlider")("Slider");
    The only typing I did to create these expressions was to type in the 100 -
    The rest was created entirely with the pickwhip by separating the two timelines and locking the null's Effect Controller window.
    The last part of the solution is set keyframes and animate the Opacity Slider between 0 and 100. You can set pairs of keyframes a couple of frames apart if you want a little fade, or you can set the keyframes to Hold Keyframes using Animation>Toggle Hold Keyframe or using the keyboard shortcut Alt/Option + Cmnd/Ctrl + H.
    Here's what the project looks like. It took longer to explain it than to do it.

  • Event Failure-using DV

    Hi Experts,
    I am getting stuck at one logic when i using dynamic visibilty in my dashboard.
    The situation is like this :
    Sale of Toothpaste : across india(Location Dimension)
    i have two series Plan and Actual
    on X-Axis i have three type of it : Clove, Menthol,Peppermint
    On Y-Axis i have the revenue in Millions
    Now i want to drill other features clicking on any one of the type.
    Say i click on Plan -Clove i see two charts, one on the top of the main chart with a toggle button and on the right showing other sales details.
    now if i want to go back , i can use toggle button ,but the point to be noted here is my plan-clove is still remain selected , i can see the main chart but and when i change my dimension say location..i can see the detailed charts popping up on the main chart and on its right side.
    How to avoid this situation.
    I have tried using all the stuff in Xcelsius but thing is that the event is not captured and overcome by the previous event.
    Push button is not working,not even the other selectors like the radio button...
    How to disguise this??????
    Saurabh

    Hi Rashmi ,
    Thanks for the reply. I just want to know when i use toggle button to move back considering two over lapped  frames,
    why i cant have the default settings of selection i.e. -1 for the series(the feature added in SP3 -when no series is selected).
    Can you help me to achieve this?? Anyone...when two frames are toggled using a toggle button i would see the default settings.
    I am working on the methods u hv shared. Will post , in case i get stuck somewhr.
    Thanks
    Saurabh

  • Script path not used  / set serveroutput

    i set the directory in
    database -> worksheet to the same directory like my sqplus SQLPATH.
    but it looks like the worksheet is not use the directory entry.
    when i start the script with the full pathname its working.
    but ... then sqldeveloper tell me
    ignore set serveroutput on... is ignored.... but no result is shown....
    Version : 1.1.0.21
    Build : Main-21.41
    OS is Linux
    Message was edited by:
    ojehle

    The preference for the path is not working, this is a bug and is logged.
    For set server output: The output is written to the DBMS Output tab and you need to use the toggle on that screen to set server output on.
    Sue

Maybe you are looking for

  • How to find out the User Details for the particular transaction

    Hi, Actually AJAB -Asset Year closing was done by One User.How and Where to find out the User details who executed the Transaction.Kindly tell me the T-code for this. Thanks Sap Guru

  • Error while posting the ID for Validation

    Hello Experts,              We are running a report from a ECC 6.0 server which connects to the PI server via RFC connection defined through RFC Adapter on the PI server. This Pi server then connects to the web server for validation and then returns

  • Fire event in web dynpro java

    Hi, I want to fire events in code e.g. sorting of table columns. I'm sure I cannt call event handler with null parameter here. Can anybody please help here? Thanks in advance. Rgds, Atul.

  • Safari HTTP error 403

    I am connected to the internet - email works fine, evernote syncronises etc.  But on ANY web page I am getting a HTTP Error 403: The service you requested is restricted and is not available to your browser. The restriction can be based on your IP add

  • BPM 11.1.1.3.0 Database issue

    Hello, I am doing a BPM project which is still new to me right now. I have a question about the DBAdapter in BPM process. I want to read several tables from database and then fetch the data into each attribute in the process data object and then make