Channel EQ , share your thoughts

hi
have hardly ever used channel eq in logic, ive always gone for Fat EQ.
But looks like channel EQ is the tool of choice for eqing?
Should a compressor be inserted after the eq or before?
logic manual suggests using the channel eq as the first plug in on a channel strip/track.
multimeter, match eq, analyse function on channel eq, all great tools to learn from while playing with audio.
cheerio

bob2131 wrote:
Should a compressor be inserted after the eq or before?
In most common presets you will find that the EQ is on top. In some scenarios ( depends on your musical material ) you may need to reverse that chain...
multimeter, match eq, analyse function on channel eq, all great tools to learn from while playing with audio.
I have not read this chapter of the manual but it looks like some kind of "Mastering Plugin Chain" using visual metering plugins in between...
!http://img59.imageshack.us/img59/4967/aglogo45.gif! [www.audiogrocery.com|http://www.audiogrocery.com]

Similar Messages

  • Pls share your thoughts to rectify

    Dear Moderators,
        We have two storage locations of say X and Y, X should store the materials which has self life period 75% and above, and y should store SLE less than 25%, everyday batch job runs to transfer the stock from X to y....now the problem is it is happening exactly reverse SLE 75% is storing Y and Less 25% storing in x.... what could be the Problem and share me the idea's ..
    Thank you very Much
    RAM

    Hi,
    Are you having a daily run program which will make a transfer post from X to Y ?
    at the same time based upon the material master settings for shelf life , the GR in to any  location X or Y will  get controlled by the system . this is a standard functionality .
    when comes to your question 75% of total life is there for a product , to go into X and vis a vis , is not a standard functionality .Probably an enhancement attached to MIGO would control the same .please check it from your ABAP side and post us back which is controlling this phenominone in the system .
    your question is not clear for the transffering .does the system is transffering 75% --X to 25 %- Y or reverse  ?in both the ways , the effect is same .you are mixing x and y . Then what is the problem ?
    Could please be specifc so that much good answer can be expected.
    Regards,

  • Hi Guys! Will you share your thoughts on a Thread issue?

    Hi! I am working on figuring out how to get my application to use threads to enable the simultaneous movement of (n) balls across the JFrame area. The task is to enable the user to click on the application and with each click a new ball should be created as a Thread and then it should bounce back and forth across the screen.
    I have been working on this now for a couple of days. It would be really great if one of you guys could help me! :-)
    Here are my specific issues:
    I am using the mousePressed() method to generate the data needed to instantiate a Ball object. However, I cannot get it to work as a Thread.
    I tried calling the start() method on it but all that happens is the application stays blank.
    I cannot get this thing to work -and I really need to make it work today -- Please --- is there a sweetheart out there who will take a minute to help? ;-)
    Jennifer
    My code is below:
    Balls.java
    import java.util.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Balls extends JFrame implements MouseListener
          private int x, y, r, g, b;//Variables to hold x,y and color values
          private Vector basketOBalls;//Hold all of the Ball objects (and Threads created)
          private Ball ballFactory;//Ball objects created here
            Method Name: Balls()
            Return Value: none
            Input Parameters: None
            Method Description: Constructor
          public Balls()
            //call to super for Title of app
            super( " Bouncing Balls " );
            //Listen for mouse events
            addMouseListener( this ); 
            //instantiate the basketOBalls object
            basketOBalls = new Vector(20);
                //Set Initial JFrame Window Size
            setSize( 400, 400 );
         //Show it!
         show();
         }//EOConstructor
            Method Name: mousePressed(MouseEvent e)
            Return Value: none
            Input Parameters: MouseEvent
            Method Description: This takes the info from the users
            mouse click and creates a new Ball Object and then adds it
            to the basketOBalls Vector. Presently, it (incorrectly?) also
            calls the repaint() method in order to draw the ball to the
            screen.
           public void mousePressed( MouseEvent e )
               x = e.getX();//set x value
               y = e.getY();//set y value
               r = 1 + (int) ( 254 * Math.random() );//set red value
               g = 1 + (int) ( 254 * Math.random() );//set green value
               b = 1 + (int) ( 254 * Math.random() );//set blue value
               Color colorin = new Color( r, g, b );
               ballFactory = new Ball( x, y, colorin );
               //new Thread(ballFactory).start(); //This is the Problem area!!!!!!!!!!!!!!!!!!!!!
               basketOBalls.addElement( ballFactory );
               repaint();
            }//EOmP
            Method Name: paint( Graphics g )
            Return Value: none
            Input Parameters: Graphics Object g
            Method Description: Walk through the Vector to
            explicitly cast each object back as a Ball and
            then calls the Ball draw() and ball move() methods
            in order to make the balls move on the screen.
        public void paint( Graphics g )
            Ball b;
            for( int i = 0; i < basketOBalls.size(); i++)
               b = (Ball) (basketOBalls.elementAt(i));
               b.draw(g);
               b.move();
            }//EOFor
          }//EOpaint
            Method Name: main()
            Return Value: none
            Input Parameters: String args[]
            Method Description: This makes it all go.
          public static void main( String args[] )
            Balls app = new Balls();
            app.addWindowListener(
              new WindowAdapter()
                     public void windowClosing( WindowEvent e )
                                    System.exit(0);
                     }//EOwindowClosing Method
              }//EOWindowAdapter Method
              );//EOaddWindowListener Argument
          }//EOMain
        public void mouseClicked( MouseEvent e ) { }
        public void mouseReleased( MouseEvent e ) { }
        public void mouseEntered( MouseEvent e ) { }
        public void mouseExited( MouseEvent e ) { }
    }//EOFBall.java
    import java.util.*;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Ball extends JFrame //implements Runnable
            public static final int APP_SIZE = 400;//set bounds for screen area
         public static final int RADIUS = 15;//set size of balls
            private Color bgColor = java.awt.Color.lightGray;//may be used to clear background of JFrame
         private int x, y;//x & y coordinates
         private int speedX, speedY;//distances to use to redraw the balls
            private Color color = null;//the color of a ball
            Method Name: Ball(int initX, int initY, Color colorin) 
            Return Value: none
            Input Parameters: int, int , color
            Method Description: Constructor that creates a Ball object
         public Ball(int initX, int initY, Color colorin)
              x = initX;
              y = initY;
                    color = colorin;
                 speedX = (int)(1 + (Math.random() * 10));
              speedY = (int)(1 + (Math.random() * 10));
            Method Name: move()
            Return Value: none
            Input Parameters: none
            Method Description: This calculates the balls position and keeps it within
            the 400 pixel size of the application frame.
         public void move()
              x += speedX;
              y += speedY;
              if ((x - RADIUS < 0) || (x + RADIUS > APP_SIZE))
                   speedX = -speedX;
                   x += speedX;
              if ((y - RADIUS < 0) || (y + RADIUS > APP_SIZE))
                   speedY = -speedY;
                   y += speedY;
         } //EOMove
            Method Name: draw(Graphics bg) 
            Return Value: none
            Input Parameters: graphics
            Method Description: This method is how the ball draws itself
            public void draw(Graphics bg)
                bg.setColor( color );
                bg.fillOval(x - RADIUS, y - RADIUS, 2 * RADIUS, 2 * RADIUS);
    //PROBLEM AREA PROBLEM AREA PROBLEM AREA PROBLEM AREA PROBLEM AREA PROBLEM AREA
            Method Name: run() 
            Return Value: none
            Input Parameters: none
            Method Description: This method is called by start() in the Balls.java file
            found in the mousePressed() method. however, it does not work properly.
         public void run()
               while(true)
              try
                 Thread.sleep(100);
                       move();
                       draw(g);
                       repaint();
                    catch(Exception e)
                    e.printStackTrace( System.out );
        }//EOF

    There needs to be only one thread. On every mouse pressed just add a new Ball object to the vector located in Balls class. That thread need only invoke a repaint on your main class called Balls.
    public class Balls extends JFrame implements Runnable,MouseListener{
    Vector vector = new Vector();
    public static void main(String[] args){
    Balls balls = new Balls(); balls.setSize(400,400);
    balls.setVisible(true);
    Thread thread = new Thread(this);
    thread.start();
    public void run(){ 
    while(true){
    repaint();
    try{
    Thread.sleep(4000); //delay
    }catch(InterruptedException e){}
    public void paint(Graphics){
    for(i=0; i<vector.size(); i++){
    Ball b = (Ball)vector.elementAt(i);
    reposition(b);
    g.drawArc(b.getX(),b.getY(),0,360);
    public void reposition(Ball b){
    // reposition ball using balls get/set methods.
    public void MouseClicked(MouseEvent e){
    // add a new ball to vector.
    public class Ball{
    int x,y;
    public int getX(){ return x; }
    public int getY(){ return y; }
    public int setX(int x){ this.x = x; }
    public int setY(int y){ this.y = y; }
    Do check the syntax and compilation errors. The code above should give you some idea for approach.

  • Share your speaking tips and tricks

    Please share your speaking tips and tricks that SAP TechEd '07 speakers can take advantage of when they present in Las Vegas, Munich, Bangalore, and Shanghai.  Also, if you ever watched an excellent speaker, please share what you thought made him/her so effective. Hopefully, with all these great tips and tricks SDN and BPX communities will have some of the best public speakers out there!

    There are some obvious (or should-be-obvious) tips, such as being prepared, being on time, having a backup plan and being a subject matter expert, and some fairly common speaker faults (too quiet or too formal), but here are the top 3 goals I strive for when I speak:
    1)  Time management.  Having too little material for a 1 hour session, or trying to do a 2 hour lecture plus a 30 minute demo, or speaking up until the next session, are annoyances to avoid.  I like to have too many slides so I can skip some, but my rule of thumb is about 1 slide per minute.  Leave time for questions at the end, and for the spontaneous hallway conversations to erupt.
    2)  Rehearsal.  It's not a sermon, or a strict one-way lecture, but I am normally more relaxed if I've given the material to several smaller crowds ahead of the bigger event.
    3)  Empathy.  In a presentation class I took last year we learned how to tell if your audience is engaged.  Telling a joke is great, but it is always helpful when people nod their heads, raise their hands or evoke body language showing they have been there, done that with the pain points of software and hardware management.

  • Windows 8 upgrading to pro from standard/single language edition pricing, whats your thought on this

    Hi All
    Being in the Tech industry and working day to day life of users issue i have noticed that, even though uncommon, i would need to upgrade from windows 8/8.1 to Pro, and my clients, with this general question, Why is it so expensive if i already got windows
    8, shouldnt it have most of the features and now we just buying the addons? Basic response is yes they are right but you're actually purchasing a WHOLE key and not a partial key from MS. But it does leave a section of question, why should i spend $118 - 140
    to upgrade to Pro when most of the features are already built in?
    Shouldnt microsoft upgrade the key and just install the missing features at a lower price ? e.g if single licensing is $90 and pro is $110, they charge u $20 instead of $110. I understand it about money and such, but i believe more people would upgrade to
    pro easier if the price was adjusted like that instead of it current strategic plan of a full price of Pro just to gain some basic features like Domain ability.
    Whats your thoughts? 
    Lee Snr Systems Adminstrator

    Hi,
    For windows 8.1 as an example, you need $99.99 to add the Windows 8.1 pro pack and get the
    Windows Media Center and the power of Windows 8.1 Pro.
    http://www.microsoftstore.com/store/msusa/en_US/pdp/Windows-8.1-Pro-Pack/productID.288392300
    As I know, Windows 8 pro has added some important features such as Hyper-V, GP, VHD, bitlocker, domain..etc which are essential for business management\small organization. 
    You can find the comparison list in the following link
    http://www.microsoft.com/en-us/windows/enterprise/products-and-technologies/windows-8-1/compare/default.aspx
    We don't have the "power" to change the price :) so I just want to share the links above with you and hope you can understand the value of Windows 8/8.1 pro.
    Yolanda Zhu
    TechNet Community Support

  • FICO vs. FAKO – Share your FAKO stories

    Hey there forums members! Have you ever been impacted in your financial journey to obtain a new loan or credit card by relying on a “credit score” you thought was a FICO® Score?  We want to hear your story. Genuine FICO Scores are used in over 90% of lending decisions, while other “credit scores” (often referred to as FAKO scores) are rarely or never used by lenders to grant credit. Your story could help other consumers who find themselves in a similar situation. Have a FAKO story you’d like to share? Simply reply to this thread with your answers to the questions below.
    Where did you get your FAKO score?
    Which FAKO score did you receive and from which bureau?
    Where did you get your genuine FICO® Score?
    Which FICO® Score did you receive and from which bureau?
    What type of loan/credit were you applying for? (type, rate, terms, etc. are all helpful)
    Share your FAKO story (What was your first impression when you received your FAKO score? How did you figure out that it was not a FICO® Score or that it was different than a FICO® Score? How did the FAKO score impact your loan/credit experience? )

    My scores have been fairly consistent but my wifes scores have been all over the place. Funny how we have almost identical bureaus. Ex:  July, 2015    !. True Identity 701-EQ, 706-EX, 710-TU                           2. CK- 690-TU, 690-EQ                           3. CO-683                           4. BC-710                           5. Discover pulled - 696-Approved for IT card-$4500                           6. VS pulled EQ-654-Approved for $500                           7. AKUSA FCU-TU-712-Approved for 10k                           8. EX showed 681 off of their site.  So you can see these scores are all over the place 654-712. . Equifax seems to have the greatest variance.  My scores ranged from 670-708. Lowest was from Barclays-670. Highest from True Identity 708. I was in the 690s for both CC that I was approved for.                               

  • Can you share your iTunes purchases with family members

    Can you share your iTunes purchases with other family members.

    In your household, yes.
    BTW, your question has nothing to do with itunes U.

  • HT4623 I installed ios7 on my iPad 2 yesterday, this morning it wouldn't open the weather channel app. I thought maybe I should power it down. When I held down on the power button the screen went black and now it won't do anything. What do I do now?

    I installed ios7 on my iPad 2 yesterday, this morning it wouldn't open the weather channel app. I thought maybe I should power it down. When I held down on the power button the screen went black and now it won't do anything. What do I do now?

    Try a reset: Press and hold both Sleep/Wake and Home buttons until the Apple logo appears.

  • Please share your PDF/UA-compliance experiences

    I encourage others to share your experiences in remediating PDFs for ISO 14289 (PDF/UA) compliance. Let’s learn from each other’s experiences.
    I am working with documents that previously passed the Acrobat checker and PAC 1.3 along with manual checks for WCAG 2.0 compliance – so, the documents were as accessible as I knew how to make them. Below are the errors that I am seeing quite a bit from the new PAC2 PDF/UA-compliance checker. The “fix” is not necessarily the best, just what I have found that seems to work. I am using Acrobat Pro XI.
    error: Font not embedded
    fix: Tools > Print Production > Preflight > PDF fixups > Embed fonts
    comment: This does not always work as some font licenses do not allow embedding. If you encounter non-embeddable fonts hopefully you have the source document and can use a different font.
    error: Tagged content present inside an Artifact
    fix: Open the Content pane. Open Artifact containers to find any content containers hiding inside. Drag the content containers to their proper place outside the Artifact container.
    error: Alternative description missing for an annotation
    fix: Add alt text to link tags.
    comment: This seems an odd error. Some links benefit from alt text but others are perfectly clear without it. Seems like this should be a judgment call, but the Matterhorn Protocol insists on links having alt text.
    error: Figure element on a single page with no bounding box.
    fix: This error goes away if I tag the figure as an artifact, which makes sense. But if I then retag it as a figure and add back in the alt text, the error stays away.
    comment: Seems odd. Even the Matterhorn Protocol PDF (http://www.pdfa.org/wp-content/uploads/2013/08/MatterhornProtocol_1-0.pdf) fails PAC2 on this point! This could be a rough spot in the PAC2 beta, not a real error, but is easy enough to “fix”.
    error: DisplayDocTitle key is not set to true
    fix: File > Properties > Initial View tab > In the Show drop down box, select “Document Title”
    error: PDF/UA identifier missing
    fix: Create an xmp file that includes the required snippet of metadata (example: http://bygosh.com/files/pdfuaid.xmp). Then: File > Properties > Description tab > Additional Metadata... > Advanced > Append
    comment: This should be the final remediation step, after the document is otherwise PDF/UA-compliant. To apply the PDF/UA ID to a document that is not compliant would be fibbing.

    Hi Wendy,
    The requirement that all links include alternate text in the Contents key is frustrating ...
    To the best of my knowledge, no current AT makes use of the Contents key alt text
    No current tool makes it easy to create and configure the Contents key. To do so manually with a long set of links such as a table of contents is time consuming.
    In a well-written document, link text is often quite clear in context, and alt text provides no benefit in terms of accessibility. This is almost certainly the case with a table of contents.
    So, you have to make a choice. You can ...
    Ignore this particular PDF/UA criterion and somehow live with the resulting scolding from PAC2.
    Apply regular alt text to the links. This makes PAC2 happy but PAC 1.3 unhappy.
    Patiently wait for the opportunity to shell out big bucks for a new tool that automates setting the link Contents key, like the "coming soon" PDF Global Access (new version of CommonLook with a new name) from NetCentric.
    Bite the bullet and set the Contents key for each link tag manually. It is a bit intimidating at first to delve into the innards of the tag structure and make changes, but you will quickly gain experience and comfort level. This is the best solution if  you, like me, obsess with making both PAC2 and PAC 1.3 say "Pass". Just be sure, as always when working with Acrobat, to save early and often to a new file name, in case something goes horribly wrong.
    If you choose the last bullet, the PDF/UA Reference Suite includes example TOCs. As to what should be entered for "Value", for external links I typically use the title of the target page. For TOC entries, following the examples in the PDF Reference Suite, the Contents key value mirrors the text of the link, for example "Chapter 1: Introduction".
    Hope this helps.
    a 'C' student

  • Pls. share your exp. using Cool&Quite

    Please share your experiences using Cool & Quite.
    Reason: i'm looking for something that will underclock and seriously cut down power consumption when my pc is idle or barely used (surfin, writing, watching a movie, or playing solitair   ). Often after some intense gaming i like to relax watching a good movie (PC->Xbox->TV) and there's no need to keep it running @2500MHz for that  
    Is the C&Q function adequate for this and is it stable when pc is OC-ed (c specs)?
    Are there any "conlicts" with other programs/games i should be aware of?
    In case C&Q is not the way to go, what would u suggest to be good software alternatives (like Corecell, Clockgen and the likes, but they should preferably not load on start-up but only when i want them to... i prefer doing my OC-ing straight thru' Bios)
    Thx,
    -Alfa-

    I don't see how PSU would be the reason for your crashes when using C&Q.
    On the contrary, when C&Q kicks in it should reduce your power consumption, not up it.
    I did notice however that using certain lower multipliers and/or lower FSB's cause my system to crash, and i'm still waiting for a bios fix on that (if there ever wil...).
    Edit: actualy, i'm gonna give bios 1.3 a try again tonight, see if that helps. System has been stable for +/-2weeks now with bios 1.47b (on 11x230fsb1:1x1t or 9,5x260fsb1:1x2t, most other settings are unstable), so i'm sure CPU&ram OC ok at those speeds.

  • Upgrade R11.5.10 to R12.1.3-- please share your experience

    Please help me to note the most important steps while upgrading Oracle financials from 11i to R12.
    Assuming client has GL, AP, HR, Payroll, ipayments ( R11.5.10 to R12.1.3)
    Please share your experiences. It will be a greta learning experience for us.
    Thanks in advance

    user13648035 wrote:
    Please help me to note the most important steps while upgrading Oracle financials from 11i to R12.
    Assuming client has GL, AP, HR, Payroll, ipayments ( R11.5.10 to R12.1.3)
    Please share your experiences. It will be a greta learning experience for us.
    Thanks in advancePlease see old threads for similar discussion -- https://forums.oracle.com/forums/search.jspa?threadID=&q=Upgrade+11+to+R12&objID=c3&dateRange=all&userID=&numResults=15&rankBy=10001
    Thanks,
    Hussein

  • Can you please share your experience in implementing / upgrading the Primavera EPPM R8.3?

    Hi,
    In our company various versions (V7, R8.1 and R8.3) of Primavera being used in various locations. To bring all the location to a common platform, management has decided to implement  / upgrade Primavera EPPM P6 R8.3 and also planned to integrate Primavera P6 R8.3 EPPM with Oracle (EBS) Projects application . Hence, If any of you implemented Primavera P6 EPPM R8.3 or upgraded the earlier versions to Primavera P6 R8.3. Please share your ideas and also the pros and cons of implementing R 8.3 EPPM. For your information we are going to have SQL database since all the existing databases are in SQL.
    Please share your ideas and experiences.

    Hi,
    we have done a lot of implementations and migrations to the P6 EPPM R8.3 from different former versions and this is working fine. the dbsetup does a good job.
    A good way in my point of view is to set up a new P6 EPPM R8.3 system with a new PMDB Instance which will keep the configurations so that you easily can migrate or exchange the instances. Always remind to have a validated backup of any instance before migrating.
    Before migration you should mind the following points:
    The source version of the old P6 PMDB instance is:
    P6.2.1 or before => first you need to migrate it to P6 V7.0 before you can migrate it to P6 R8.3
    P6 V7.0 => check if you have used P6 WebAccess: if not okay, else check if you used jackrabbit (look for migration tool), Workflows (close all before migrating); Check if using Jobservice XER-Export (no longer available); Jobservice Batchreport (only Workaround available see Knowledgebase); Risks in the P6 Client (need to be manually migrated)
    P6 R8.0 to R8.2 => Using Extended Schema, Enterprise Reporting Database, own BI Publisher Reports => Check stept to be taken for migration
    Other questions are:
    Which authentication method will you use (native, LDAP, SSO)? If not using native and you want to connect the BI Publisher then you need also to use that authentication there.
    The migration itself is pretty easy if you take care that all sessions are closed (no users or unclosed primavera sessions settings  on that instance, stop all Applications, interfaces or Services connected to the instance. Cleanup your refrdel_deletes, logical_deletes and (if used before), extended Schema tables.
    Then you can migrate with dbsetup, use additional Service Packs and Fixpacks (actually Service Pack 1) on the instances and then you can connect them into the environment by adding it to the P6 Configuration.
    I mentioned you don't want to put all data into one final PMDB-Instance.
    Regards,
    Daniel

  • Table controlled partitioning - please share your experiences.

    hello ,
    is anyone using table controlled partitioning in the sap on db2 for z/os enviroment?
    can you please share your [good/bad]experiences on the subject ?
    is there anything we should all watchout for ?
    thanks
    omer brandis
    visit the sap on db2 for z/os blog
    http://blogs.ittoolbox.com/sap/db2/

    hello ,
    is anyone using table controlled partitioning in the sap on db2 for z/os enviroment?
    can you please share your [good/bad]experiences on the subject ?
    is there anything we should all watchout for ?
    thanks
    omer brandis
    visit the sap on db2 for z/os blog
    http://blogs.ittoolbox.com/sap/db2/

  • Please share your experiance on Oracle Developer

    Hi,
    I need to decide a suitable architecture for my new product for
    3-tier implementation.
    I would like to know anyone adopted developer 6.0 and having any
    project/product on 3-tier application, what are all the problems
    faced or likely to face in this approach?. Will be there any
    performance problems?. Is there any reference site in India?
    Please share your experiences.
    Thanks
    -Sri
    null

    When I started reading your list, my gut feeling was, why Chieftec? But probably budgetary considerations were the main reason. For the PSU I would prefer a Corsair AX series or Seasonic gold label one.
    I would have a look at the GTX 660 Ti with 4 GB VRAM. The extra memory would help with AE and 4D and in PR can prevent the rather ungraceful reverting to software mode if VRAM is depleted. Of course this depends on image size, but if the extra cost fits in your budget, it may be worth it.
    If it fits in the chassis, I would look at a CPU cooler like the Noctua NH-D14 because of the bigger diameter fans. So, better cooling and less noise.

  • Please share your understanding and experiences on Picking Request Output.

    Hi,
    Have you ever involved in any project which related to the 'Picking Request' Output IDOC.
    Normally it is triggered from Delivery output and corresponding picking data will be sent...
    Please share your understanding on how to trigger this kind of Picking request ouput from delivery processing.
    For example, you are the person is assigned to explore an existing SAP-system. Your task is to simulate an order cycle and most important points is to trigger the 'Picking request' Output IDOC in delivery order. But you dont know what Sales order type,Dlv type is used. The only thing you knew is the picking request output type is ZXXX from delivery header output.
    How do you find out corresponding sales order type/Dlv order type/Billing order type according to an output type name ZXXX.
    First, i will share my ideas:
    Through ZXXX we could get corresponding condition records, as there contain some info like dlv type/sales order type..kinds of combinations..Follow that, i will find already proceessed sales documents. Then refer those document to do the re-creation.
    Please kindly let me know your ideas.
    Thanks!

    Hi there,
    Define a new O/p type. Select EDI in Transmission in Default values of O/p type for external system. Select ALE for internal system.
    Assign an access sequence to that.
    Maintain the determiantion procedure. In the requirement routine, put a condition that it should trigger only after picking / packing is done.
    Assign the O/p to the delivery type.
    In WE20, define a new partner to whom you want to send the IDOC. Give the required details.
    Define a new IDOC processing prog & assign that to the process code of the IDOC in the partner  profiles.
    So whenever you do picking, the Op type will be trigered which will be processed by the IDOC prog & send it to the external system.
    Regards,
    Sivanand

Maybe you are looking for

  • Posting of invoice with no reference to a PO from MIRO transaction

    Dears, I'm wokring on a SAP R/3 4.6 release and I would like to know if it is possible to post invoices with no PO from MIRO transaction. If it is so would it be possible for you to let me know which are the customizing steps to undertake and/or the

  • Discs?

    I'm new to both Final Cut Express and iDVD. I created the movie just fine, saved it as a Quicktime movie (unchecking "make movie self-contained" as suggested elsewhere), imported it to iDVD '08 fine (that is, it is readily viewed through preview) but

  • Hard-of-hearings needs chat support

    I reside in Guam and I was gonna order a Macbook Pro but there's was a technical error on the Shipping ad's state box after clicking "copy billing ad to shipping ad" both state's box are filled GU but still on the shipping ad it appears RED. my other

  • Itunes at the office

    our office purchased Ipod shuffles for all the employees. We are trying to figure out if there is a way to have itunes on one main office computer and have everyone be able to share music off of it. Is that possible? As it is, it blanks anything you

  • My Iphone 4 keeps flashing the apple logo.

    Yesterday I was just checking out what apps I had in my phone when the screen suddenly went black. It stayed like that for about 3 seconds than the apple logo started flashing every 3 seconds. It only flashes when it's on the charger (whether the cha