Feedback Request for OS X 10.8.3 and Logic 9.1.8

Can anyone who has updated their system to 10.8.3 and is still noticing the lag/unresponsive button press issue with Logic Pro 9.1.8, reply to this thread with the following info please
1) System specs (inc Amount of memory, Processor speed, Insteranl and external HD speed and connection type.. and Graphic card memory)
2) Running Logic in 32bit... 64bit or both?
3) If running Logic in both modes, is there any difference in the noticable lag between the two modes?
4) Which specific AU Plugins (Botyh built in and 3rd party) seem to cause the Lag issue when added to a project
5 )Any other Audio based hardware connected to your mac (i.e. UAD2 for example)
6) Midi and/or Audio Interface used.
7) Any other noticable and repeatable issues present in Logic 9.1.8 apart from the Lag/Unresponsive button press issue.
Please note: Thiis feedback is requested from those who have the Lag/Unresponsive Button press issue and not the slow redraw issue....which may be unconnected to the lag isue.
Many thanks...

To get the ball rolling, I had an emailed report from a new client of mine this evening so I'll add this one to the thread..
Steve A. from VI Studios
1) 2011 iMac 3.4Ghz, 8GB mem, Internal HD 2TB 5400rpm Ext HDs twin FW800 Glyph 7200 1TB HDs, 1TB VRAM
2) 32bit Logic only (No issues running Logic in 64bit)
3) N/A
4)  Slate Digital VCC in particular... VTM to a lesser extent.
5) None
6) Presonus Audiobox Studio
7) Constant nagging about Airplay still present in Logic.

Similar Messages

  • Something keeps trying to download on my mac and I don't know what it is. It is not in the apple store and just comes out nowhere and request for my password to download something and I don't know what it is. How to make this stop?

    Something keeps trying to download on my mac and I don't know what it is. It is not in the apple store and just comes out nowhere and request for my password to download something and I don't know what it is. How to make this stop? It pops up every single day.

    Erica,
         I can, with 99.99% certainty, tell you that you are absolutely right in not wanting to download or install this "Helper," whatever it is (but we can be equally certain it would not "help" anything).
         I cannot comment as to Oglethorpe's recommendation of 'adwaremedic'; I am unfamiliar with it.  His links to the Apple discussion and support pages warrant your time and attention.
         It might be really simple -- Trying looking in your Downloads folder, trash anything that you don't know with certainty is something you want to keep, and then Secure Empty your Trash. Then remove the AdBlock extension, LastPass, and Web of Trust extensions to Safari and re-boot. If the issue goes away, still be extraordinarily careful in the future.
         Unfortunately, it's probably not going to be that simple to get rid of, in which case I'd then try the line by line editing in HT203987. 
         I have no further suggestions (other than a complete wipe and re-install...but that's a pain because trying to restore from Time Machine would simply ... restore the Mal).
       For the rest of us, please post when you find a solution.
         Best.
         BPW
      (Also, try to edit your second post -- black out your last name on the screenshot and re-post it for others)

  • Feedback request for a Single Instance Application Implementation

    Hello,
    I have been working on a class which I tried to make the most generic I could so that I could re-use it for various projects. It offers 2 main functionalities:
    -Preventing multiple instances of an application
    -Allowing a user to stop the application even if it doesn't read any user input
    Of course if someone wants to have multiple instances of the same application, it is still possible. The only requirement is that each instance be configured to run on a different port.
    I would like your feedback on how I've implemented this to make sure I haven't missed the chance to make my Class flexible and re-usable. I would also make sure that there aren't any situations where the different threads used for realizing this functionality will run into any conflicts.
    My code includes the following files:
    Serviceable.java : An interface which must be implemented by every application using these classes
    DuplicateServiceException.java : An exception thrown when an instance of the application is already running
    Service.java : The class responsible for offering the functionalities I already mentionned
    Main.java : An example of a class implementing Serviceable and offering two ways of closing the Application. 1- By closing the JFrame which is displayed. 2- By sending the stop command.
    In order to execute this example, you have to specify the following command line arguments:
    -DService.Command={start/stop} //Either start or stop command
    -DService.Port=<0-65535> //Port to be used for receiving the stop command and preventing multiple instances
    Serviceable.java
    * Serviceable cares about two parts of the life of a Service.  Its startup
    * and its shutdown sequences.  The startup occurs only after making sure
    * no other instance of the Service is running.  Shutdown has to be
    * synchronized between multiple threads since it is possible to shutdown
    * the service through a shutdown command sent by another process, or through
    * the normal flow of execution of the service.
    * @author Gabriel Aubut-Lussier
    public interface Serviceable {
          * Initiates the startup of the Service since we have made sure
          * that there isn't any other instance of the Service running.
         public void startup();
          * Initiates the shutdown of the Service since we've received
          * a shutdown request from one of the two supported means of
          * shutting down.
         public void shutdown();
    DuplicateServiceException.java
    public class DuplicateServiceException extends Exception {
          * serialVersionUID?  Bah. Eclipse generates one automatically so why not...
         private static final long serialVersionUID = 3929576386522489749L;
         public DuplicateServiceException() {
              super();
         public DuplicateServiceException(String msg) {
              super(msg);
    Service.java
    * The same way a graphical application is running as long as there
    * is something to display, a background service will run as long as
    * there is an active Thread.
    * A service can be terminated in different ways.  First of all, it
    * can be terminated through its normal flow of execution.  On the
    * other hand, it is possible to provoke the termination of a Service
    * externally.
    * To terminate the service through the normal flow, just call the
    * Service.shutdown() method.  Another way to terminate the service
    * is to start a new instance of the program with the Stop command.
    * This Service implementation will behave according to two system
    * properties.  The property Service.Command can be set
    * to "start" or "stop".  When set to "start", the Service will make
    * sure there isn't another instance of the service already running.
    * If it is the case, a DuplicateServiceException will be thrown.  In
    * the other case, the Service will start.  When the "stop" command
    * is invoked, the Service will attempt to stop a running instance of
    * the Service.  The other property is Service.Port and
    * it defines the Port number which will be used to support the
    * functionalities offered by the Service class.
    * It is recommended to set these properties as command line arguments
    * when launching the application.  Moreover, batch files or shell
    * scripts can be created for invoking the start and stop commands.
    * @author Gabriel Aubut-Lussier
    public class Service implements Runnable {
         public final static String START_COMMAND = "start";
         public final static String STOP_COMMAND = "stop";
         public final static String SERVICE_COMMAND = "Service.Command";
         public final static String SERVICE_PORT = "Service.Port";
         private String serviceCommand;
         private int servicePort;
         private Serviceable service;
         private ServerSocket serviceListener;
         private Thread serviceThread;
          * Creates a new service registering the hooks required to perform
          * clean termination sequences.
          * @param s
          * @throws DuplicateServiceException
         public Service(Serviceable s) throws DuplicateServiceException {
              service = s;
              serviceCommand = System.getProperty(SERVICE_COMMAND);
              String servicePortString = System.getProperty(SERVICE_PORT);
              if(servicePortString == null)
                   servicePort = -1;
              else
                   servicePort = Integer.parseInt(servicePortString);
          * Try running this new Service instance if there isn't one
          * already running.
          * @throws DuplicateServiceException if another service instance is already running.
         public void start() throws DuplicateServiceException {
              if(serviceCommand == null || servicePort < 0) {
                   throw new IllegalArgumentException("The command and port number must be specified.");
              if(serviceCommand.equals(START_COMMAND)) {
                   try {
                        serviceListener = new ServerSocket(servicePort);
                        serviceThread = new Thread(this);
                        serviceThread.start();
                        service.startup();
                   } catch(BindException e) {
                        throw new DuplicateServiceException("An instance of the service is already running.");
                   }catch(IOException e) {
                        e.printStackTrace();
              } else if(serviceCommand.equals(STOP_COMMAND)) {
                   shutdown();
          * Provoke a shutdown command.
         public void shutdown() {
              try {
                   Socket sock = new Socket("localhost", servicePort);
                   OutputStreamWriter out = new OutputStreamWriter(sock.getOutputStream());
                   out.write("shutdown");
                   out.flush();
                   out.close();
                   sock.close();
              } catch (UnknownHostException e) {
                   e.printStackTrace();
              } catch (IOException e) {
                   //This exception may occur when trying to stop a service which wasn't running.
                   //There is no need to do anything in this case.
          * While the Service is running, it listens on a port to make sure no
          * other instance of this Service is started and to listen to shutdown
          * commands.
         public void run() {
              boolean keepGoing = true;
              while(keepGoing) {
                   try {
                        Socket sock = serviceListener.accept();
                        InputStreamReader in = new InputStreamReader(sock.getInputStream());
                        char cBuf[] = new char[256];
                        int amount = in.read(cBuf);
                        in.close();
                        sock.close();
                        keepGoing = !((new String(cBuf, 0, amount)).equals("shutdown"));
                   } catch (IOException e) {
                        e.printStackTrace();
              try {
                   service.shutdown();
                   serviceListener.close();
              } catch(IOException e) {
                   e.printStackTrace();
         public String getServiceCommand() {
              return serviceCommand;
         public void setServiceCommand(String serviceCommand) {
              this.serviceCommand = serviceCommand;
         public int getServicePort() {
              return servicePort;
         public void setServicePort(int servicePort) {
              this.servicePort = servicePort;
    Main.java
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
    import javax.swing.JFrame;
    public class Main implements Serviceable {
         private JFrame window;
         private Service service;
         public static void main(String[] args) {
              new Main();
         public Main() {
              try {
                   service = new Service(this);
                   service.start();
              } catch(DuplicateServiceException e) {
                   e.printStackTrace();
         public void startup() {
              window = new JFrame("SERVICE TEST! :D");
              window.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
              window.addWindowListener(new WindowAdapter() {
                   public void windowClosed(WindowEvent e) {
                        service.shutdown();
              window.setVisible(true);
         public void shutdown() {
              System.out.println("Application shutdown");
              window.dispose();
    }Thanks in advance for your feedback.
    -Gabriel Aubut-Lussier

    I have fixed the handshake.
    And even though it isn't implemented yet, I think I have my solution for the limitation of 1 instance per user. I plan on using a hidden file in the user's home directory in which I will write the port number where the running application is listening for events. I have not yet chosen how the port number will be chosen before being written to the file but I am thinking about using a random number between 1024 and 65535. Using this approach, it is possible to maintain all the features I've implemented in the Single Overall Instance solution I already have.
    Here is the code with the handshake fixed:
    Serviceable.java
    * Serviceable cares about two parts of the life of a Service.  Its startup
    * and its shutdown sequences.  The startup occurs only after making sure
    * no other instance of the Service is running.  Shutdown has to be
    * synchronized between multiple threads since it is possible to shutdown
    * the service through a shutdown command sent by another process, or through
    * the normal flow of execution of the service.  Moreover, when another instance
    * is prevented from being launched, the running instance is notified so that it
    * can react to such an event.
    * @author Gabriel Aubut-Lussier
    public interface Serviceable {
          * Initiates the startup of the Service since we have made sure
          * that there isn't any other instance of the Service running.
         public void startup();
          * Notifies the Service that the application has been invoked again in
          * case the running instance wants to react to such an event.  Most GUI
          * applications will just bring themselves to the front while background
          * services will maybe just want to re-scan their configuration files or
          * just ignore the event.
         public void invoke();
          * Initiates the shutdown of the Service since we've received
          * a shutdown request from one of the two supported means of
          * shutting down.
         public void shutdown();
    DuplicateInstanceException.java
    public class DuplicateServiceException extends Exception {
          * serialVersionUID?  Bah. Eclipse generates one automatically so why not...
         private static final long serialVersionUID = 3929576386522489749L;
         public DuplicateServiceException() {
              super();
         public DuplicateServiceException(String msg) {
              super(msg);
    Service.java
    import java.io.IOException;
    import java.io.InputStreamReader;
    import java.io.OutputStreamWriter;
    import java.net.BindException;
    import java.net.ServerSocket;
    import java.net.Socket;
    import java.net.UnknownHostException;
    * The same way a graphical application is running as long as there
    * is something to display, a background service will run as long as
    * there is an active Thread.
    * A service can be terminated in different ways.  First of all, it
    * can be terminated through its normal flow of execution.  On the
    * other hand, it is possible to provoke the termination of a Service
    * externally.
    * To terminate the service through the normal flow, just call the
    * Service.shutdown() method.  Another way to terminate the service
    * is to start a new instance of the program with the Stop command.
    * This Service implementation will behave according to two system
    * properties.  The property Service.Command can be set to "start"
    * or "stop".  When set to "start", the Service will make sure there
    * isn't another instance of the service already running.  If it is
    * the case, a DuplicateServiceException will be thrown.  In the
    * other case, the Service will start.  When the "stop" command is
    * invoked, the Service will attempt to stop a running instance of
    * the Service.  The other property is Service.Port and it defines
    * the Port number which will be used to support the functionalities
    * offered by the Service class.
    * It is recommended to set these properties as command line arguments
    * when launching the application.  Moreover, batch files or shell
    * scripts can be created for invoking the start and stop commands.
    * @author Gabriel Aubut-Lussier
    public class Service implements Runnable {
         public final static String START_COMMAND = "start";
         public final static String STOP_COMMAND = "stop";
         public final static String SERVICE_COMMAND = "Service.Command";
         public final static String SERVICE_PORT = "Service.Port";
         private final static String GREETING = "Greetings";
         private final static String QUERY = "?";
         private final static String ACCEPT = "yes";
         private final static String DECLINE = "no";
         private final static String SHUTDOWN = "shutdown ";
         private final static int SO_TIMEOUT = 100;
          * This is the application-specific String
         private String serviceClass;
          * This is the command which we will execute when start() is invoked
          * The value is either "start" or "stop"
          * This value can be configured using the System property: Service.Command
         private String serviceCommand;
          * This is the port which is used to watch for duplicate instances
          * This value can be configured using the System property: Service.Port
         private int servicePort;
         private Serviceable service;
         private ServerSocket serviceListener;
         private Thread serviceThread;
          * Creates a new service registering the hooks required to perform
          * clean termination sequences.
          * @param s A Serviceable class
          * @throws DuplicateServiceException If there is a duplicate instance running
         public Service(Serviceable s) throws DuplicateServiceException {
              service = s;
              serviceClass = s.getClass().toString();
              serviceCommand = System.getProperty(SERVICE_COMMAND);
              String servicePortString = System.getProperty(SERVICE_PORT);
              if(servicePortString == null)
                   servicePort = -1;
              else
                   servicePort = Integer.parseInt(servicePortString);
          * Try running this new Service instance if there isn't one
          * already running.
          * @throws DuplicateServiceException if another service instance is already running.
          * @throws BindException if another application is using the configured port.
         public void start() throws DuplicateServiceException, BindException {
              if(serviceCommand == null || servicePort < 0 || servicePort > 65535) {
                   throw new IllegalArgumentException("The command and port number must be specified.");
              if(serviceCommand.equals(START_COMMAND)) {
                   try {
                        serviceListener = new ServerSocket(servicePort);
                        serviceThread = new Thread(this);
                        serviceThread.start();
                        service.startup();
                   } catch(BindException e) {
                        queryOtherInstance();
                        throw e;
                   } catch(IOException e) {
                        e.printStackTrace();
              } else if(serviceCommand.equals(STOP_COMMAND)) {
                   shutdown();
          * Send the shutdown command to the running instance of the application.
         public boolean shutdown() {
              boolean shutdownSuccessful = false;
              try {
                   Socket sock = new Socket("localhost", servicePort);
                   sock.setSoTimeout(SO_TIMEOUT);
                   //If the greeting doesn't match, it's not a duplicate instance
                   //and we can't shut it down
                   InputStreamReader in = new InputStreamReader(sock.getInputStream());
                   OutputStreamWriter out;
                   if(receivedGreeting(in)) {
                        //Sending the shutdown command
                        out = new OutputStreamWriter(sock.getOutputStream());
                        out.write(SHUTDOWN + serviceClass);
                        out.flush();
                        //Read the confirmation
                        char cBuf[] = new char[1024];
                        int amount = in.read(cBuf);
                        String confirmation = new String(cBuf, 0, amount);
                        if(confirmation.equals(ACCEPT)) {
                             shutdownSuccessful = true;
                        out.close();
                   //Closing the connection
                   in.close();
                   sock.close();
              } catch (UnknownHostException e) {
                   //This exception shouldn't happen unless the loopback address doesn't exist?
              } catch (IOException e) {
                   //This exception may occur when trying to stop a service which wasn't running.
                   //There is no need to do anything in this case.
              return shutdownSuccessful;
          * Reads the greeting from the running instance we are interacting with.
          * @param in An InputStreamReader built on the Socket's InputStream
          * @return True if we received the expected greeting, false otherwise
          * @throws IOException if a problem occurs while receiving the greeting
         private boolean receivedGreeting(InputStreamReader in) throws IOException {
              //Reading the expected greeting from the server
              char cBuf[] = new char[1024];
              int amount = in.read(cBuf);
              String greeting = new String(cBuf, 0, amount);
              return greeting.equals(GREETING);
          * While the Service is running, it listens on a port to make sure no
          * other instance of this Service is started and to listen to shutdown
          * commands.
         public void run() {
              boolean keepGoing = true;
              while(keepGoing) {
                   Socket sock;
                   InputStreamReader in;
                   try {
                        sock = serviceListener.accept();
                        sock.setSoTimeout(SO_TIMEOUT);
                        //Sending a greeting
                        OutputStreamWriter out = new OutputStreamWriter(sock.getOutputStream());
                        out.write(GREETING);
                        out.flush();
                        //Reading the incoming message
                        in = new InputStreamReader(sock.getInputStream());
                        char cBuf[] = new char[1024];
                        int amount = in.read(cBuf);
                        String message = new String(cBuf, 0, amount);
                        //Writing an answer
                        boolean invoked = message.equals(serviceClass + QUERY);
                        if(invoked) {
                             out.write(ACCEPT);
                        } else {
                             out.write(DECLINE);
                             keepGoing = !message.equals(SHUTDOWN + serviceClass);
                        out.flush();
                        //Closing the connection
                        out.close();
                        in.close();
                        sock.close();
                        //Notify the running application is there has been an invocation
                        if(invoked) {
                             service.invoke();
                   } catch (IOException e) {
                        //Seems like an IO operation failed.  Let's just forget about
                        //this connection attempt and wait for another
              //Shutdown the Service
              service.shutdown();
              try {
                   serviceListener.close();
              } catch(IOException e) {
                   //Couldn't close the serverSocket upon shutdown?
                   //weird... but anyhow...
          * Connects to the configured port to check out wether it is a duplicate
          * instance of the application or if it is another application using the
          * same port number.  If it is another application, nothing will happen.
          * @throws DuplicateServiceException if it is a duplicate instance
         private void queryOtherInstance() throws DuplicateServiceException {
              try {
                   Socket sock = new Socket("localhost", servicePort);
                   sock.setSoTimeout(SO_TIMEOUT);
                   //Read greeting
                   InputStreamReader in = new InputStreamReader(sock.getInputStream());
                   String answer = null;
                   if(receivedGreeting(in)) {
                        //Writing the application-specific query
                        OutputStreamWriter out = new OutputStreamWriter(sock.getOutputStream());
                        out.write(service.getClass().toString() + "?");
                        out.flush();
                        //Reading the answer
                        char[] cBuf = new char[3];
                        int amount = in.read(cBuf);
                        answer = new String(cBuf, 0, amount);
                        out.close();
                   //Closing the connection
                   in.close();
                   sock.close();
                   //If the answer is "yes" then it is a duplicate
                   if(answer != null && answer.equals("yes")) {
                        throw new DuplicateServiceException("An instance of the service is already running.");
              } catch (UnknownHostException e) {
                   //This exception shouldn't happen unless the loopback address doesn't exist?
              } catch (IOException e) {
                   //If we fail to query the application appropriately we consider
                   //it isn't a duplicate entry so we do nothing.
         public String getServiceCommand() {
              return serviceCommand;
         public void setServiceCommand(String serviceCommand) {
              this.serviceCommand = serviceCommand;
         public int getServicePort() {
              return servicePort;
         public void setServicePort(int servicePort) {
              this.servicePort = servicePort;
    Main.java
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
    import java.net.BindException;
    import javax.swing.JFrame;
    public class Main implements Serviceable {
         private JFrame window;
         private Service service;
         public static void main(String[] args) {
              new Main();
         public Main() {
              try {
                   service = new Service(this);
                   service.start();
              } catch(DuplicateServiceException e) {
                   e.printStackTrace();
              } catch(BindException e) {
                   e.printStackTrace();
         public void startup() {
              window = new JFrame("SERVICE TEST! :D");
              window.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
              window.addWindowListener(new WindowAdapter() {
                   public void windowClosed(WindowEvent e) {
                        service.shutdown();
              window.setVisible(true);
         public void shutdown() {
              System.out.println("Application shutdown");
              window.dispose();
         public void invoke() {
              System.out.println("Another instance tried to startup");
              window.toFront();
    }

  • Feedback - requests for future sw/hw Enhancements

    Landscape documents
    Landscape keyboard for two thumb support
    Save documents/pictures/video locally
    Voice activated dialing
    Voice recording
    WMV, AVI conversion support in iTunes
    Cut and Paste
    3G
    Macro camera support
    Video capture
    Instant Message support
    Configuration of Stock and Weather order in list (like in World Clock)
    Simple Games

    The requirements team doesn't really follow the posts here.
    Good ideas, though. Be sure to submit them through the feedback form:
    http://www.apple.com/feedback/iphone.html
    Aym

  • Feedback request for First PC Build - For video editing (Premiere, AE)

    Hey guys. This is going to be my first PC Build, and I've been researching for weeks to put together parts to build a balanced system that is affordable but will still perform solidly. Since I am so new at this, most of this PC jargon is extremely new to me. I would just build it, but for me this is a lot of money, and I want to double check with some more experienced people that this is a solid build before stepping forward.
    I've recently started my own videography business, and I need to build something that will allow me to edit and add effects more efficiently. I don't need the best in the game, but I do need to upgrade from my current system. I edit almost entirely DSLR footage. I mostly use Premiere, but am learning AE, and hope to implement it a lot more in the near future. Anyway, if you have time to look it over, I really appreciate any feedback you are willing to give!!
    -Does everything fit?!
    -Is this system balanced?
    -Are there any bottlenecks?
    -Anything overkill?
    -How upgradeable is it?
    -Is there anything worth upgrading now rather than later?
    -Also, are there other sites to find these parts cheaper?
    Component
    Choice
    Link
    MOBO
    ASRock Z77 Extreme4 LGA 1155 Intel Z77 HDMI SATA 6Gb/s USB 3.0 ATX Intel Motherboard
    http://www.newegg.com/Product/Product.aspx?Item=N82E16813157293
    CPU
    Intel Core i7-3770K Ivy Bridge 3.5GHz 3.9GHz Turbo LGA 1155 77W Quad-Core Intel HD Graphics 4000
    http://www.newegg.com/Product/Product.aspx?Item=N82E16819116501
    GPU
    EVGA GeForce GTX  650Ti BOOST SuperClocked 2GB 192-bit GDDR5 PCI Express 3.0 SLI Support Video Card
    http://www.newegg.com/Product/Product.aspx?Item=N82E16814130910
    Memory
    G.SKILL Ripjaws X Series 32GB (4 x 8GB) 240-Pin DDR3 SDRAM DDR3 1600 (PC3 12800) Desktop Memory Model F3-1600C9Q-32GXM
    http://www.newegg.com/Product/Product.aspx?Item=N82E16820231569
    Drives
    SAMSUNG 840 Pro Series MZ-7PD128BW 2.5" 128GB SATA III MLC Internal Solid State Drive (SSD)
    http://www.newegg.com/Product/Product.aspx?Item=N82E16820147192
    Western Digital WD Black WD2002FAEX 2TB 7200 RPM 64MB Cache SATA 6.0Gb/s 3.5" Internal Hard Drive - OEM
    http://www.newegg.com/Product/Product.aspx?Item=N82E16822136792
    Cooling
    COOLER MASTER Hyper 212 EVO RR-212E-20PK-R2 Continuous Direct Contact 120mm Sleeve CPU Cooler Compatible with latest Intel 2011/1366/1155 and AMD FM1/FM2/AM3+
    http://www.newegg.com/Product/Product.aspx?Item=N82E16835103099
    Power Supply
    CORSAIR HX Series HX750 750W ATX12V 2.3 / EPS12V 2.91 SLI Ready CrossFire Ready 80 PLUS GOLD Certified Modular Active PFC Power Supply New 4th Gen CPU Certified Haswell Ready
    http://www.newegg.com/Product/Product.aspx?Item=N82E16817139010
    Optical Drive
    LG Black 14X BD-R 2X BD-RE 16X DVD+R 5X DVD-RAM 12X BD-ROM 4MB Cache SATA BDXL Blu-ray Burner, Bare Drive, 3D Play Back (WH14NS40) - OEM
    http://www.newegg.com/Product/Product.aspx?Item=N82E16827136250
    Case
    COOLER MASTER HAF 932 Advanced RC-932-KKN5-GP Black Steel ATX Full Tower Computer Case with USB 3.0, Black Interior and Four Fans-1x 230mm front RED LED fan, 1x 140mm rear fan, 1x 230mm top fan, and 1x 230mm side fan
    http://www.newegg.com/Product/Product.aspx?Item=N82E16811119160

    In addition to what cc_merchant has said, my only comments to add would be to consider the new Haswell platform and/or the Nvidia 700 series cards that recently came out.
    Depending on how soon you need this machine, it may be worth your while to get a 4770k and Z87 mobo. (You might want to wait for the C2 stepping to hit shelves, as the current C1 offerings have a USB 3.0 bug). I've read that the C2 version should hit shelves early to mid August.
    As for the videocard, Nvidia just released the Gtx 760, which would be a much stronger offering for a little bit more money. (Some here might argue that it is overkill for that machine, but I think the future proof aspect makes it worth it).
    For the hard drives, below is the hypothetical scenario I plan to go with when I build my system (per Harm's instructions):
    C:\  OS, Programs, Windows Pagefile - 128GB Samsung 840 Pro SSD
    D:\  Projects and Media - 3TB Seagate 7200.14 HDD
    E:\  Media Cache / Scratch - RAID 0, 2x 1TB Seagate 7200.14 HDD
    F:\  Misc/Non-Video Editing Hard Drive - 1TB WD Caviar Black
    Exports go to whichever drive has space available.
    If you're only able to afford one of these upgrades, I would focus on getting the optimum hard drive setup. Right now, that's your bottleneck.
    Hope that helps.

  • Feedback request for this case

    http://www.amazon.com/Premium-Crystal-Silicone-Precut-Protector/dp/B003E8LBVM/re f=cmcr_pr_pbt
    Anyone ever used this?

    http://www.amazon.com/Premium-Crystal-Silicone-Precut-Protector/dp/B003E8LBVM/re f=cmcr_pr_pbt
    Anyone ever used this?

  • Transport Request for creating Organisation structure in DEV and Quality.

    Dear Gurus,
    I have a issue regarding transport request creation for creating organisation structure.
    My client has their own basis team,  Iam doing the customization in Dev server, when iam creating organsiation structure in dev server ( Easy Access) iam unable to generate transport request, Their basis team is saying that no transport request is created in easy access.
    My question is weather transport request is to be generated in Dev (Gloden client) for creating organsiation structure or not. Please guide me.

    Hi Ravi,
    You can try report RHMOVE00.
    It is up to you to either maintain the org structure in dev server and tranport to quality or maintain it directly in quality.
    Regards,
    Dilek

  • Request for help on Vendor Consignment stock and Customer Consignment Stock

    HI Experts,
    We have a requirement to segregate the Customer Consignment stock and Vendor consignment stock from the total Consignment stock available in the BW report.
    Currently in the report the calculation of total consignment stock is based up on Issued consignment stock and Received consignment stock .
    The calculations of the Issued and Received consignments stocks are specified below.
    Issued consignment Stock
    The below following parameters are checked when the quantity is considered as Issued consignment Stock 
    Transaction or Process keys :  100, 101, 104, 105, 106, 110
    Application    :   MM    
    Stock relevance : 1
    Adding to the above conditions,
    u2022     When the stock category is u2018Ku2019, the Quantity in Base Unit of Measure is assigned to Issued Consignment Stock.  or
    u2022     When the stock category is blank and the stock type is u2018Eu2019 or u2018Ku2019 or u2018Lu2019 then also the Quantity in Base Unit of Measure is assigned to Issued Consignment Stock.
    Received Consignment Stock :
    The below following parameters are checked when the quantity is considered as Issued consignment Stock 
    Transaction or Process keys :  000, 001, 004, 005, 006, 010
    Application    :   MM    
    Stock relevance : 1
    Adding to the above conditions,
    u2022     When the stock category is u2018Ku2019, the Quantity in Base Unit of Measure is assigned to Received Consignment Stock.  or
    u2022     When the stock category is blank and the stock type is u2018Eu2019 or u2018Ku2019 or u2018Lu2019 then also the Quantity in Base Unit of Measure is assigned to Received Consignment Stock
    Only stock category and stock type are available in the BW report for determining the type of consignment stock . So, with respect to stock category and stock type, could you please kindly advise if it is possible to determine the Customer consignment stock and Vendor consignment stock in the report
    Thanks a lot
    Warm Regards,
    Jeswanth
    Edited by: jeswanth kadali on Jun 23, 2009 4:10 PM

    Hi,
    We can settle consignment goods to vendor through MRKO transaction.Even user transafers consignment stock to own stock through MB1B transaction.We can use same document to settle vendor through MRKO transaction.
    What is implications of such Action (like Goods issue, 1 step transfer) on SAP.
    Nothing will happpen after after stock converted to own stock.
    Regards,
    JS

  • Request for information regarding the Lumia Denim and WP 8.1 Update 1 for Lumia 920

    When can those of us with the Lumia 920 get the Lumia Denim update and the Windows Phone 8.1 Update 1 Update for our phones? And does AT&T have a time fram for getting us Lumia 920 owners the update or are we not going to get this update until Windows Phone 10 comes out?

    GLIMMERMAN76 wrote:
    the phone is almost 3 years old they may not update it..  But then again there are suprise around every corner sometimes.  People with the 830 are waiting for an update also.When the update came out the phone was about two years old.  Now we expect GDR2. On the Microsoft update page there are seven AT&T Lumia phones. There would be eight but the 830 is no longer listed. Did AT&T have it removed ? Only three of these phones have the Denim update available, that is 37.5%.  Is AT&T even trying, I don't think so.  The same models of phones all over the world have been updated. Now WP10 is coming up. Microsoft says they will update WP10 directly, no carrier in the middle and they say it will be available to all phones and only phones running Lumia Denim, OS version 8.10.14219.341 or higher can be upgraded.  So, the phone has to have at least Denim before you can update.Will Windows 10 update be available for my Lumia phone? We bought two 920's from AT&T in 2012. Wife is still using hers and I replaced mine with a 1520.3 last year. It has Qi wireless charging and 32GB memory, not the AT&T version. We no longer have a contract and never will, using 'bring your own phone'.The other 62.5% of the Lumia phone users with AT&T probably feel the same way.  

  • New Bios Request For N560GTX-Ti TF II (Artifact and PC Hang when using firefox)

    I encountered the problem 3 times for the past three days as I was forced to do a hard reset.
    I am surfing flash videos on firefox and suddenly the screen go green, purple and red flickering 'dots and strips', the mouse cursor stay alive for a second, then it stops, i cant do anything except a hard reset.
    Display driver       : ForceWare 296.10
    BIOS                 : 70.24.0A.00.00 (P1040-0050)
    s/n:        602-V238-16SB1101057250
    Device ID 1200
    Sub vender ID 1462
    Sub System ID 2382
    880 MHz Core
    1024MB GDDR5 4200MHz Memory  
    Win7 x64
    my bios: http://www.mediafire.com/?bi5hu0as2ymr9th
    Intel i7-2600
    Asus P8P67 LE
    2gb Kingston memory X 2
    Cooler Master Extreme Power Plus 500W
    can Svet get me the new bios?
    thanks!

    Quote from: magicarshavin on 28-March-12, 06:15:26
    After updating to the latest bios 201, the mouse movement feels sluggish, can i revert back using my backup bios GF114.bin (GpuZ) ?
    Is it using the same command nvflash.exe -4 -5 -6 GF114.bin in USB boot dos will do?
    Thanks.
    Yes, that's right.
    But the mouse movement feels sluggish is probably caused by something else rathar that vbios.
    I suggest you to preinstall VGA drivers.
    Remove current one 1st in Safe Mode with >>Driver Sweeper<< before install the new VGA drivers

  • Request for info on fatal error handling and High-Precision Timing in J2SE

    Hi
    Could anyone please provide me some information or some useful links on fatal error handling and High-Precision Timing Support in J2SE 5.0.
    Thanks

    Look at System.nanoTime

  • Request for a table entries

    i need to create a request for table entries which is Ztable  and has maintence screen.
    so the transport option is not there
    i need to transport these entries to production client
    what should i do
    sarangan r

    Hi,
    You can transport table entries from one system to other system. Take a look at this thread.
    table entries transport help
    Re: Table DATA transfer
    First, you need to set the table attributes - DELIVERY CLASS to C.
    Regards,
    Ravi
    Note :Please close the thread if the issue is resolved

  • Feature Requests for next version of Pr

    I've submitted this list.  If you agree, please join me.  Copy and paste into the Feature Request page if you like.  Add your own requests.
    AUDIO:
    Ability to save track or clip based audio effect user presets.
    Option-drag to copy an audio effect from one insert location to another (to different tracks)
    Drag audio effects up or down in the effect stack order, or to another track
    Temporary Snap on or off (Reverse Snap Behavior) keyboard modifier.
    KEYBOARD / SHORTCUTS:
    Ability to map multiple Keyboard Shortcuts to the same function (like Avid: E & R keys, same as I and O)
    Ability to print the Keyboard Shortcuts, or save all of them as a text file.
    TIMELINE:
    More obvious indicator that Timeline Snap is on.
    Indicator on Clips in the Timeline that indicate Frame Blend is enabled.
    Ripple Sequence and Chapter Markers.
    Ripple Audio Track Keyframes.
    Solo video layer button on the Timeline track panel.
    Constrain clip time movement between tracks by holding shift key, just like all other applications.
    FX button/switch, as in After Effects, to turn off all effects on a track (video and audio).
    Option-double click a nest to reveal contents of nest in the same master timeline.
    SOURCE AND PROGRAM PANES:
    Keyboard shortcuts to scale image zoom in Source and Program tabs.
    Keyboard shortcuts to increase or decrease playback resolution.
    Have the Program monitor remember the Zoom and Resolution level for each Sequence; don't have Zoom scale set universally by the project.
    VIDEO EFFECTS:
    Make ALL effects Accelerated, YUV, 32-bit.  Allow Third Party effects to be accelerated!
    Ability to save user/custom transition presets.
    In Effects tab, press Tab button to jump to next effect parameter (as in After Effects)
    Feathering and invert on Garbage Mattes
    A Track Matte function that allows us to pan and scale the clip being matted without affecting the matte size or position.  You could do this with a Stencil / Silhouette Alpha / Luma Blend mode as in Ae.
    MISC:
    When using Clip > Scale to Sequence, DO NOT have the new Scale factor in the Motion tab change the clip's scale to 100%.
    Consistent Mouse Wheel behavior across all apps in CS
    Scopes update while playing.
    Make Export and Title windows return to the previously adjusted size and placement.
    Add a command buffer, so that we can execute several commands in a row, and not wait for the app to "release", or for the first event to complete before I can proceed to the next event.
    File requests here:
    https://www.adobe.com/cfusion/mmform/index.cfm?name=wishform

    If you want to do this correctly you need to file a request for each feature.
    Ripple Sequence and Chapter Markers is already implemented. Sequence markers are the same as chapter markers, yes? (Ripple Sequence Markers, select Marker > Ripple Sequence Markers.)
    Ability to print the Keyboard Shortcuts, or save all of them as a text file. also available. (hold ctrl+shift while opening. A button with clipboard appears)
    Keyboard shortcuts to scale image zoom in Source and Program tabs. available
    Keyboard shortcuts to increase or decrease playback resolution. available
    Make Export and Title windows return to the previously adjusted size and placement. They do.
    Some feature you posted are great. How about a eyedropper tool for the Color Matte?
    I find the Magnet for Snap quite visible. There is also this feature in the Pref to make the playhead snap.

  • Lpadmin - request for username and password - not responding correctly

    Recently updated to a new computer and 10.5.7.
    A printer was paused (somehow). Tried to resume printing and got a request for an lpadmin administrator user name and password. Mine is the only account on this computer. Put in my user name and password, but this was rejected. If I tried 3 times I was told to try later (and given my password hint). However, after clicking OK to this dialogue the action WAS taken.
    Same thing happened when I tried to add a printer. It will not accept my username and password, but if I persist until I get the message to try again later, the printer WAS added.
    So, I am back to having a printer, but this seems like a bug.
    Steve

    see this link
    http://support.apple.com/kb/TS2754

  • How to trigger approval request for resources after assigning role

    Hi,
    We have a use case where we need to assign resources to user via assigning roles.
    In order to achive this use case
    1. we have created a role and assigned the access policy to it which contain the resources to be provisioned once the role is assigned to the user.
    2. Created a SOA composite having manager approval and assigned this composite to a approval policy of type 'Assign Role'.
    3. I am already having the approval policy for the resources which are present in roles. The approval policy of resources is of type "Provision Resource".
    4. Also the SOA composite for resource apporal is deployed in OIM and assigned to the approval policy.
    5. Now when I am raising the request from OIM of type "Assign Role" the approval defined in the SOA composite for Role approval gets triggered. After approving the role request the role is assigned to the user and also the resources defined in the access policy gets provisioned to teh user account.
    Now I want to trigger the resource approval process after the role approval instead of directly provisioning the resources. So that once the role is approved the individual Approval Process of resources part of roles should also gets invoked. Based on the approval or rejection of resources approval, the resource gets assigned to the user.
    Please let me know how to achieve the above use case.
    Thanks in advance

    Access policy is saying whoever gets xyz role, will get this abc resource. Now once a user gets xyz role, you are stopping to get abc resource? both are contradictory. Don't go through access policy. User is anyway going to request for roles. Modify your flow and make user request for resource. Have your composite and approval policy attached. User will get resource once it is approved.
    regards,
    GP

Maybe you are looking for

  • How can I scan a document to PDF in Windows 7 Professional

    I have a Canon MX892 which I previously used with Windows XP. I was able to scan documents to PDF very easily using the Canon Solutions Menu EX.  I am now using Windows 7 Pro 64. I downloaded the associated version of Canon Solutions Menu EX, but it

  • Offline and can't get back online?

    Trying to send messages to someone on same WiFi network (sitting next to me.) Both using Messages beta. Worked for a bit, then failed. Ensured we both are using same email address on iOS, iTunes, and in Messages Beta for sending (along with phone num

  • What exactly is a "low-level exception occurred in: ImporterFastMPEG?"

    I've been importing several HDV video files (m2t files) from my Sony HDR-DR60 HDD unit into Premiere Pro CS6 on my Macbook Pro w/ Retina Display. I noticed that this error popped up for 3 files: "A low-level exception occurred in: ImporterFastMPEG (I

  • Assign song to multiple albums?

    Is there a way to assign a song to multiple albums? For instance, if I want a track to show in Greatest Hits and also the real album it's from, I need to have the song loaded twice; once for each album. Is there a way around this? I know some people

  • Problem with long response time when looking at queues!

    Hello, I have a problem with extream long response times, when looking at the queues in Message mapping test tool . Does anyone know how to improve performance. The source message I use is about 200 segments (idoc) The mapping is done with the graphi