Event triggered by multiple events

Hello!
I am working on interactive code in Adobe Edge. I created several function triggered by specific events. Now I need to write the final function. The symbol should play when several draggable elements are inserted into several drop boxes at the same time. Please, give me an example of how to write this function.
Here is the code:
yepnope(
    nope:[
        'js/jquery-ui-1.9.2.custom.min.js',
        'js/jquery.ui.touch-punch.min.js',
        'css/jquery-ui-1.9.2.custom.min.css'
    complete: init
function init() {
          var stage = sym.$("Stage");
          // draggable
          var Rectangle1 = sym.$("Rectangle1");
          Rectangle1.css("position", "absolute");
          Rectangle1.css("left", 50);
          Rectangle1.css("top", 35);
          Rectangle1.draggable({ disabled: false });
          Rectangle1.draggable({ containment: stage });
          Rectangle1.draggable({
   snap: '.target1',
   snapMode: 'corner'
          // drop in box
          var dropCase1 = sym.$("dropCase1");
          dropCase1.css("position", "absolute");
          dropCase1.css("left", 375);
          dropCase1.css("top", 25);
          dropCase1.on( "dropout", function( event, ui ) {
                    Rectangle1.css("background-color", "grey");
          dropCase1.droppable({
                    accept: ".case1",
                    drop: function(event, ui) {
                              // change the color of the draggable item
                              Rectangle1.css("background-color", "blue");
                              //play the symbol box timeline
                              var box = sym.getSymbol("box");
                              box.play();
          // adds visual when correct drops here
          var Rectangle2 = sym.$("Rectangle2");
          Rectangle2.css("position", "absolute");
          Rectangle2.css("left", 50);
          Rectangle2.css("top", 150);
          Rectangle2.draggable({ disabled: false });
          Rectangle2.draggable({ containment: stage });
          Rectangle2.draggable({
   snap: '.target2',
   snapMode: 'corner'
                    // drop in box
          var dropCase2 = sym.$("dropCase2");
          dropCase2.css("left", 375);
          dropCase2.css("top", 150);
          dropCase2.droppable({
                    // accept only case 2
                    accept: ".case2",
                    drop: function() {
                              var box = sym.getSymbol("box");
                              box.play();
Thank you very much!
                                                                           Anastasiya

There are many possibilities. Attached is one simple example (LabVIEW 7.0) that does not use control references.
(If only one of the buttons can be active at any time. you could also use a single radio button as a control)
LabVIEW Champion . Do more with less code and in less time .
Attachments:
ComboEvent.vi ‏35 KB

Similar Messages

  • Job not getting triggered for Multiple Scheduler Events

    hi,
    I would like a job to be triggered for multiple scheduler events, subscribing to a single event works fine. But, when I set multiple event condition, nothing works.
    My objective is to run a job, whenever job starts or restarts or exceeds max run duration.
    Note : Is it possible to trigger a job, when a job RESTARTS by subscribing to JOB_START ????????
    procedure sniffer_proc(p_message in sys.scheduler$_event_info)
    is
    --Code
    end sniffer_proc
    dbms_scheduler.create_program(program_name => 'PROG',
    program_action => 'sniffer_proc',
    program_type => 'stored_procedure',
    number_of_arguments => 1,
    enabled => false);
    -- Define the meta data on scheduler event to be passed.
    dbms_scheduler.define_metadata_argument('PROG',
    'event_message',1);
    dbms_scheduler.enable('PROG');
    dbms_scheduler.create_job
    ('JOB',
    program_name => 'PROG',
    * event_condition => 'tab.user_data.event_type = ''JOB_OVER_MAX_DUR''' ||*
    *' or tab.user_data.event_type = ''JOB_START''',*
    queue_spec => 'sys.scheduler$_event_queue,auagent',
    enabled => true);
    I tried this too...
    dbms_scheduler.create_job
    ('JOB',
    program_name => 'PROG',
    * event_condition => 'tab.user_data.event_type = ''JOB_OVER_MAX_DUR''' ||*
    *' and tab.user_data.event_type = ''JOB_START''',*
    queue_spec => 'sys.scheduler$_event_queue,auagent',
    enabled => true);
    Need help
    Thanks...
    Edited by: user602200 on Dec 28, 2009 3:00 AM
    Edited by: user602200 on Dec 28, 2009 3:03 AM

    Hi,
    Here is complete code which I tested on 10.2.0.4 which shows a second job that runs after a first job starts and also when it has exceeded its max run duration. It doesn't have the condition but just runs on every event raised, but the job only raises the 2 events.
    Hope this helps,
    Ravi.
    -- run a job when another starts and exceeds its max_run_duration
    set pagesize 200
    -- create a user just for this test
    drop user test_user cascade;
    grant connect, create job, create session, resource,
      create table to test_user identified by test_user ;
    connect test_user/test_user
    -- create a table for output
    create table job_output (log_date timestamp with time zone,
            output varchar2(4000));
    -- add an event queue subscriber for this user's messages
    exec dbms_scheduler.add_event_queue_subscriber('myagent')
    -- create the first job and have it raise an event whenever it completes
    -- (succeeds, fails or stops)
    begin
    dbms_scheduler.create_job
       ( 'first_job', job_action =>
         'insert into job_output values(systimestamp, ''first job runs'');'||
         'commit; dbms_lock.sleep(70);',
        job_type => 'plsql_block',
        enabled => false, repeat_interval=>'freq=secondly;interval=90' ) ;
    dbms_scheduler.set_attribute ( 'first_job' , 'max_runs' , 2);
    dbms_scheduler.set_attribute
        ( 'first_job' , 'raise_events' , dbms_scheduler.job_started);
    dbms_scheduler.set_attribute ( 'first_job' , 'max_run_duration' ,
        interval '60' second);
    end;
    -- create a simple second job that runs when the first starts and after
    -- it has exceeded its max_run_duration
    begin
      dbms_scheduler.create_job('second_job',
                                job_type=>'plsql_block',
                                job_action=>
        'insert into job_output values(systimestamp, ''second job runs'');',
                                event_condition =>
       'tab.user_data.object_name = ''FIRST_JOB''',
                                queue_spec =>'sys.scheduler$_event_queue,myagent',
                                enabled=>true);
    end;
    -- this allows multiple simultaneous runs of the second job on 11g and up
    begin
      $IF DBMS_DB_VERSION.VER_LE_10 $THEN
        null;
      $ELSE
        dbms_scheduler.set_attribute('second_job', 'parallel_instances',true);
      $END
    end;
    -- enable the first job so it starts running
    exec dbms_scheduler.enable('first_job')
    -- wait until the first job has run twice
    exec dbms_lock.sleep(180)
    select * from job_output;

  • SM21 log Lock triggered against multiple execution

    Hi All,
    Please refer to the log in SM21 XI.  I have checked SM12 , no locks displayed. Please advise on how to analyze this log further.
    04:10:26 sapxi_XP1_*  DIA PIAFUSER Lock triggered against multiple execution: ID: C*************************
    Regards
    Shiva

    Dear Shiva, dear Daniel,
    the technical background for introducing  this system log entry was to deal with parallel execution of one message. For details please refer to SAP Note 1147287.
    Best regards,
    Harald Keimer

  • Event structure triggered by multiple events

    I have an events structure where one case needs to handle a button
    press from any of three controls from the front panel.  When i
    press any of the three buttons, the program is going into the correct
    event case.  However, once i am in the correct case, i need to
    know which button was pressed so that i can perform slightly different
    tasks?  Any ideas?
    Kind Regards,
    Bryan

    There are many possibilities. Attached is one simple example (LabVIEW 7.0) that does not use control references.
    (If only one of the buttons can be active at any time. you could also use a single radio button as a control)
    LabVIEW Champion . Do more with less code and in less time .
    Attachments:
    ComboEvent.vi ‏35 KB

  • User_command is not triggering in Multiple ALV_LIST_DISPLAY

    Hi,
    My requirement is to display multiple alv list into a single continuous list. (Like In a page there might be multiple lists)
    I have to display the report like below example.
    Example: In a header table there are multiple header information say,
    Office | Supplier |  Purchase order  | Storage Location  | Warehouse .
    W001  | S001    | P0001                   | ws01                      | f06
    W001  | S001    | P0002                   | ws01                      | f06
    W001  | S001    | P0003                   | ws01                      | f06
    Fora above header information there will be detail report:
    Example:
    Header
    Office | Supplier |  Purchase order  | Storage Location  | Warehouse .
    W001  | S001    | P0001                   | ws01                      | f06
    Detail report:
    Process type     | Order number     | Start date     | End date  | Quantity ordered
    Z001               | 3000000116            | 8/15/2011     | 9/30/2011| 0.005
    Z001               |3000000120            |8/29/2011      |9/16/2011 | 0.015
    Z002               |3000000117            |8/16/2011      |9/5/2011  | 0.030
    Similarly:
    Header
    Office | Supplier |  Purchase order  | Storage Location  | Warehouse .
    W001  | S001    | P0002                   | ws01                      | f06
    Detail report:
    Process type     | Order number      | Start date             | End date  | Quantity ordered
    Z001               | 3000000119            |8/15/2011             |9/30/2011 | 0.005
    Z001               |3000000121            |8/29/2011      |9/16/2011 | 0.015
    Z002               |3000000130            |8/16/2011      |9/5/2011   | 0.030
    etc.
    I have displayed it into a single list by calling, REUSE_ALV_LIST_LAYOUT_INFO_GET & REUSE_ALV_LIST_DISPLAY within a loop . For that I have to build the layout by giving
    layout-list_append = 'X'.
    I have done hot spot in order number. (To display a report based on order number)
    I have called the user_command. also.
    Now my problem is that when I'm clicking on order number it is not executing the user_command. (Nothing is happening) , even if you put /H it is not going to debugging mode. The message is "Please chose valid function".
    My assumption is that due to multiple list display SAP can't identifying the particular list. I though If i pass the PF_STATUS it will solve the problem but not working.
    If I display it without LIST_APPEND ( It is displaying in different page) then USER_COMMAND is working.
    I have tried with REUSE_ALV_GRID_LAYOUT_INFO_GET & REUSE_ALV_GRID_DISPLAY  but here I can't display multiple grid into a List but if I click on Order_Number it is displaying the report ie. USER_COMMAND is executing.
    Can anybody help me in this so that either I can execute USER_COMMAND by clicking on Order Number in the List display..
    Or I can display multiple grid into a list . Please don't hesitate to ask me if you required any information.
    Thanks in advance,
    Abhijit

    Hi Sandra,
    I have tried with  I_callback_pf_status as well as pass the form name of pf_status in Events table also. But nothing take me to the User_command. Is there any restriction with User_command execution if layout-List_append = 'X'  ?
    Now what will be the solution?
    Thanks,
    Abhijit

  • Simultaneously triggered acquisition: Multiple PXIe-7962R + NI-5734 cards, across multiple PXIe-1085 chasses

    Hi all,
    I need to do high-frequency, high-channel-count acquisition.
    Specs
    Signals: 10 MHz, 60 channels
    Controller: PXIe-8135 (Windows 7)
    Chasses: PXIe-1085 (2x)
    Input cards: PXIe-7962R FlexRIO base with NI-5734 digitizer (15x)
    Description
    Each FlexRIO card will store data in circular buffers, and continuously monitor the voltage levels. When any one channel exceeds the user-defined threshold, all 60 channels need to be triggered simultaneously to pass waveform data (200 μs pre-trigger, 300 μs post-trigger) to the host OS for logging.
    In other words, every FlexRIO card needs the ability to fire the trigger, which is then received by all 15 FlexRIO cards (the card that fires the trigger also needs to receive the trigger).
    Question 
    Can I achieve this with only a single PFI line? Or do I need some other technique?
    I've found some examples, but they only show single-source and single-card triggering, e.g. https://decibel.ni.com/content/docs/DOC-30182 uses one analogue input to trigger the acquisition of 2 channels on the same card.
    Any advice would be much appreciated. Thanks!

    Assuming you are using LV 2013 or 2014 you should download version 1.3.4 of the FlexRIO Instrument Development Library (FIDL). This will install 5734 Acquisition Engine examples which use the MultiRecord Library to stream data to the DRAM in a circular buffer, allowing you to recover pre-trigger samples. The example also demonstrate how to implement the Syncrhonization Library that synchronizes triggered acquisition to within a single sample period across multiple devices. 
    Getting the example to work across two chassis' may be difficult, but I believe it is possible. Though to do so you will need a timing and sync module in each chassis to distribute the triggers and reference clock that the sycnrhonization library requires. 
    National Instruments
    FlexRIO Product Support Engineer

  • QAAWS is not triggered if multiple QAAWS are used

    Hi, I have 2 scenarios where I created a tab set dashboard, eg.Tab1 & Tab2.
    Scenario 1:
    Tab1 -> has a list box and a chart, each one is using QAAWS connection. List box is refreshed on load. Data in chart should be refreshed on trigger when value changes on cell (inserted by list box)
    Tab2 -> same as above.
    Issue: When I preview the dashboard, only tab 1 is working fine. In Tab 2, List box shows the data, but nothing is displayed in the chart.
      What went wrong in my dashboard? Can multiple QAAWS refresh on load?
    Scenario 2:
    Tab1 -> has a list box and a chart, each one is using QAAWS connection. List box is refreshed on load. Data in chart should be refreshed on trigger when value changes on cell (inserted by list box)
    Tab2 -> has 2 charts where first one has drill down enabled to reflect the data in 2nd chart, both are using QAAWS.
    Issue: Tab1 list box displayed the data, but chart is empty.
              Tab2 : 1st chart displays the data, but drill down data is not displayed in the 2nd chart.
              When I selected the other value in the list box of tab 1, chart is refreshed with data display. At the same time, the detail chart in tab 2 is displaying the data as well.
       Is anyone has clue on this?
      Please help me.. Thank you very much!
    System version: SAP BI 7.0, BO XI 3.0, Xcelsius 2008 SP3
    Edited by: GT Teow on May 29, 2009 6:38 AM

    Hi,
    Not quite sure what you mean.
    Try reading this [whitepaper|https://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/502f3f56-f17d-2b10-a5bf-a85f12a9c30a], if you use a Connection Refresh button with Refresh on Load instead of the QaaWS connector Refresh on Load you might find that the 2nd query triggers on startup as well.
    Regards,
    Matt

  • Auto project triggering when multiple FG line item's in sales order

    Dear Friends,
    I am working on engineering project scenario mainly all are the Customer projects.
    Basically my client executes Customer projects for Establishing Dairy Plant, Pharma Plant, and Chemical Plant. For that they manufacture various FG assemblies & delivers to Customer site & accordingly Billing will be done to Customer.
    Here my area of concern is for any single customer project for Ex. u201CSetting up Dairy Plantu201D requires multiple FG assemblies. For example in this case 20 FG assemblies to be manufactured & delivered to customer & accordingly billing will be done.
    By using strategy group u201C21u201D Make-to-order prod. / Project settlement Can is it possible to trigger the project at sales order level with multiple FG assemblies as a multiple line items in sales order. For example, 20 FG assemblies.
    If it is possible then what are the prerequisite configurations needs to be done from PS, SD & MM module.
    I think strategy group u201C85u201D Assembly processing with network/project will not be applicable in above scenario. This strategy group is applicable for single FG line item in Sales Order not for multiple line items.
    Kindly guide me how to overcome from above scenario.
    Thanks & Regards,
    Prasad

    Hi Ahmed,
    Thanks for quick response....
    Can you explore about strategy u201C21u201D Make-to-order prod. / Project settlement.
    By using strategy group u201C21u201D Make-to-order prod. / Project settlement Can is it possible to trigger the project at sales order level with multiple FG assemblies as a multiple line items in sales order. For example, 20 FG assemblies.
    If it is possible then what are the prerequisite configurations needs to be done from PS, SD & MM module
    Thanks & Regards,
    Sandeep

  • How to trigger events from inside an event to another event-stru​cture

    Hello,
    i have two event-structures (struct1 and struct2) which are running at the same time parallel in a loop.
    Currently there is an keydown-event in struct1, so when i press an ok-button then the corresponding event executes in struct1.
    struct2 is used to execute menu-entries from a custom runtime-menue.
    What i want to do is to select a menue-entry (which executes an event in struct2) and the from inside this event i want to trigger an event in struct1 (means simulate keypress ? ).
    Is this possible?
    Thanks for the help
    Solved!
    Go to Solution.

    If I read this problem correctly, you are essentially trying to do the same thing from different events in different event structures.  This type of problem is very common in UI based programs, since you often want to have the same action triggered by multiple events (e.g. button press, menu selection, keyboard shortcut).  You may wish to consider a change in your basic architecture.  Instead of splitting your code into two event structure loops, try splitting it into an event structure loop and a task handling loop.  The event structure only processes events.  At each event, it generates one or more tasks, which are passed to the task loop via queue.  Traditionally, the task data would be an enum for the task name and a variant for the task data.  You can find a discussion of this type of design here.
    For new designs, I would recommend a task object (use LabVIEW classes).  The task data type is the parent task object.  The actual tasks will be child objects.  This simplifies your top-level code quite a bit and makes it easily extensible without changing the top-level code.
    If you need more information, let us know.
    This account is no longer active. Contact ShadesOfGray for current posts and information.

  • Triggering a sub work flow for multiple users at same time.

    I have a scenario in which I have created sub workflow as an activity for approval process. This sub work flow should be triggered for multiple users at the same time and their decison is independent of each other.
    This is like creating multipe instance of the same sub work flow and then the sub work flow runs indepedently as a new work flow for each of the approver and the process is completeded for approver independently.
    How can this be achieved?

    Tyr to do like this,
    1. First include the subworkflow in the main workflow template.
    2. Now include standard Block Step in the main workflow template.
    3. In the block select the block type as ParForEach.
    4. Before doing the 3rd point make sure that all the agents for whom you want whom you want to initiate the workflow, populate them in a Multiline conatiner element.
    5. Once completing 3rd and 4th points open the block step under the tab ParallelProcessing  assign the multiline container element name in the   for e;g if the multi line container element name is COSTCENTER then do the binding like below. the conatiner element COSTCENTERLINE is created by default once you include the multi line conatiner element under parller processing tab.
    &COSTCENTER[&_WF_PARFOREACH_INDEX&]&   -------->     &_COSTCENTER_LINE&
    Now assign the agent of the subworkflow as COSTCENTERLINE , imean if suppose you have 3 entries in the internal table then three separate and for three different agents the workflow is instantiated.

  • Triggering billing output for multiple emails

    Hi Experts,
    We have a scenario wherein a single billing document output gets triggered for multiple emails. The requirement is to send the invoice layout copy to multiple emails where we maintain customer mail ids in customer master record.
    When tried ,we found option in customer master record and maintained multiple email ids to send the billing output.The system has considered first email id from customer master record and did not consider next mail ids from CMR. Could you please suggest now how can we suffice this requirement .
    Thanks in advance.
    KV

    Dear Kv rekha,
    Check whether the following thread helps you.
    http://wiki.sdn.sap.com/wiki/display/Snippets/Howtosendmailtoadistributionlistoragroup+ID
    Thanks & Regards,
    Hegal K Charles

  • Single Workflow to trigger from multiple business objects

    Can a single workflow be triggered for multiple business objects. We already have a workflow which triggers when there is error in the document. Can we use same workflow for other objects (Opportunity, lead etc..) or do we have to create separate workflows for each objects?

    Yes you check.Check the business object by passing test data in the function module.
    check with import and export parameters and check with the business object with the transaction
    after testing of business object check the status at transaction swel for event trace.
    Multiple Events & Triggering of Workflow
    Thanks,
    AMS

  • Triggerring PXI-4110 to measure 1 current value while HSDIO PXI-6552 generating waveform

    Hi,
    Some question about PXI-4110 to measure current while PXI-6552 is generating the waveform. 
    1. Let say, I need to measure 3 points of current values, i.e. while PXI-6552 is generating sample-1000, 2000 and 3500. On the edge of sample 1000,2000 and 3500, the PXI-6552 will send a pulse via PFI line or via PXI backplane trigger line. My question is, is it possible to trigger PXI-4110 (hardware trigger or software trigger) to measure current values at these points ?
    2. Let say I need to measure the current on 0ms (start of waveform generation by PXI-6552) , 1ms, 2ms, 3ms, 4ms... and so on for 1000 points of measurement, code diagram as shown at the figure below. It is possible for the VI "niDCPower Measure Multiple" to measure exactly at 1ms, 2ms, 3ms .. ? How much time will have to spend to complete acquire 1 point of measurement by "niDCPower Measure Multiple" ?
    Thanks for viewing this post. Your advice on hardware used or software method is much appreciated. Thanks in advance.  
    Message Edited by engwei on 02-02-2009 04:24 AM
    Attachments:
    [email protected] ‏46 KB

    Hi engwei,
    1. Unfortunately, the 4110 does not support hardware triggering. Therefore you cannot implement direct triggering through the backplane or anything like that. However, there are a couple of possible workarounds you can try:
    a) Use software triggering: Say your 6552 is generating in one while loop, and your 4110 is to measure in another while loop. You can use a software syncrhonization method like notifiers to send a notification to your 4110 loop when your 6552 has generated the desired sample. This method, however, will not be very deterministic because the delay between the trigger and the response depends on your processor speed and load. Therefore, if you have other applications running in the background (like antivirus) it will increase the delay.
    b) Use hardware triggering on another device: If you have another device that supports hardware triggering (like maybe an M-series multifunction DAQ module), you can configure this device to be triggered by a signal from the 6552, perform a very quick task (like a very short finite acquisition) then immediately execute the DCPower VI to perform the measurement. The trigger can be configured to be re-triggerable for multiple usage. This will most likely have a smaller time delay then the first option, but there will still be a delay (the time it takes to perform the short finite acquisiton on the M-series). Please refer to the attached screenshot for an idea of how to implement this.
    2. To make your 4110 measure at specific time intervals, you can use one of the methods discussed above. As for how long it will take to acquire 1 measurement point, you may find this link helpful: http://zone.ni.com/devzone/cda/tut/p/id/7034
    This article is meant for the PXI-4130 but the 4110 has the same maximum sampling rate (3 kHz) and so the section discussing the speed should apply for both devices.
    Under the Software Measurement Rate section, it is stated that the default behavior of the VI is to take an average of 10 samples. This corresponds to a maximum sampling rate of 300 samples/second. However, if you configure it to not do averaging (take only 1 sample) then the maximum rate of 3000 samples/second can be achieved.
    It is also important to note that your program can only achieve this maximum sampling rate if your software loop takes less time to execute than the actual physical sampling. For example, if you want to sample at 3000 samples/second, that means that taking one sample takes 1/3000 seconds or 333 microseconds. If you software execution time is less than 333 microseconds, then you can achieve this maximum rate (because the speed is limited by the hardware, not the software). However, if your software takes more than 333 microseconds to execute, then the software loop time will define the maximum sampling rate you can get, which will be lower than 3000 samples/second.
    I hope this answers your question.
    Best regards,
    Vern Yew
    Applications Engineer, NI ASEAN
    Best regards,
    Vern Yew
    Applications Engineer
    Attachments:
    untitled.JPG ‏18 KB

  • Billing document output needs to tigger for multiple emails.

    Hi Experts,
    We have a scenario wherein a single billing document output gets triggered for multiple emails. The requirement is to send the invoice layout copy to multiple emails where we maintain customer mail ids in customer master record.
    When tried ,we found option in customer master record and maintained multiple email ids to send the billing output.The system has considered first email id from customer master record and did not consider next mail ids from CMR. Could you please suggest how can we suffice this requirement .
    Thanks in advance.
    KV.

    Hi,
    Email Address is maintained in Table ADR6 against the address number of table BUT000 for a particaluar BP.
    If the custom code is used, following logic can be used:
    For multiple email address multiple entry will be there in ADR6 for the same address number. To send the correspondence to all email address, select all entries and concatenate them separated with semi-colon ( and pass the same to the email address field.
    This is working in our case where we are using a third party for creating and sending the PDF.
    Regards,
    Pranavjeet.

  • Configure multiple receivers with identical requirement so as they work independent

    Dear experts,
    I am configuring an outbound scenario.Requirement of mapping is INVOIC.INVOIC02 ->  ASC810(5010) ie invoice ANSI file
    My SAP R/3 triggers an invoice and a file is send to AS2 reciever.
    First flow i completed for one customer where i created an inbound service interface.In integration flow i configured the idoc sender channel
    and as2 receiver channel.It  worked for me.Here also one thing to notice isi created integration flow for sender giving INVOIC.INVOICE02 in interface (top part).
    Now same requirement is for another  customer but when i tried to create a new integration flow and gave INVOICE.INVOICE02 in interface
    ,it doesnot let me create saying integration flow already exist.Then i took suggestion from someone and used + sign to add more recievers
    and communication channels.
    It works though but on triggering sap invoice both communication channels have started to work together but i want to make them work independently.
    How to handle this scenaio.
    I have created only one inbound service interface for this as for outbound i am using INVOIC.INVOICE02.
    Thanks in advance.
    Regards.
    Aditya Sharma.

    Yes using RCVPRN field for each reciever i could control that.Also we need to maintain multiple entries if this scenario is common to many customers.But drawback felt was in terms of content organisation.Suppose i created INVOICE02 in interface and QUA in business system in first scenario.Now i need to do same thing for second scenario,then i need to touch first scenario and add an entry for second scenario.This is totally making overall content orgainisation difficult to understand.
    Also in some scenarios EDISeparator channels started triggering for multiple senders if ex Invoice is recieved from customer A,then channel B is also trying to accept.There we had to declare uniques names to sort out.
    Regards.
    Aditya Sharma.

Maybe you are looking for

  • FCP and iMovie HD not seeing HDV video

    On my work dual G5 I can control my Sony HDV camera with either iMovie HD 6.03 or FCP 5.04, but neither see the video. The fact that the machine control works proves that the Firewire cabling is ok, and the fact that the video shows up in iMovie on m

  • Can a Column in a Project Plan be set to Read Only for everyone except Admins

    At my company the Project Server Admins create the initial project plans.  We want to add a new column that will designate each task in the plan as Capital or Operational.  We do not want anyone to have the ability to change these. When the Project M

  • ITunes see AE but won't switch to the AE speakers

    I have configured my new AE to connect to my existing Buffalo WZR2-G300N wireless network. When I open iTunes, I see the icon in the bottom right corner giving me the choice of my Computer speakers (running win7x64) OR my AE-connected speakers. I cho

  • I cannot add files to my gmail or att yahoo but i can in I Explore

    I cannot attach files to my gmail or my att yahoo. On gmail I can only attach one at a time. Att yahoo, none will attach. This has just change in the last couple of weeks, before that there was no problem attaching files to either account. Finally fr

  • Is there an application that connects numbers to pages

    I'm trying to merge my numbers work pages into a pages document.  I use this process on my laptop to do quotes for my business, I have incorporated an Ipad into my sales process and would like to add by estimating program to the ipad so I don't have