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

Similar Messages

  • Posting run request for future period; check your entry message no.AA697

    Hello Guru's,
    I have below error while Depreciation run in T.Code AFAB
    "Posting run requested for future period; check your entry" message no.AA697
    Request help
    thanks in advance
    Regards
    Chintamani

    Hello Chintamani,
    Why you want to post the depreciation for future period?
    Is the future fiscal year in open or is the posting period open for that? If no, please open that period with AJRW T code if you want to post the depreciation for future period but it is not recommendable.
    Check the posting period once again because the given posting period belongs to future year? So please do re-chk and give correct period according to your current fiscal year.
    You can get your fiscal year details and assignment of fiscal year variant to the co,code details in OB29 and OB37 t codes respectfully.
    Check the OSS Note: 1150235 - Preventing depreciation posting run for future
    I hope it helps else revert us with your query.
    Thanks & Regards,
    Lakshmi S

  • Can't Run AFAB - Posting run requested for future period

    Hi,
    While taking depreciation run for company code in AFAB system is generating the error message "Posting run for future period requested (check entry)" SAP error AA697
    Diagnosis
    There was a check of your entries in the company code and posting period fields for the current system date. The result of this check is that you requested a posting run for company code xxxx for a future fiscal period.
    Please help me, cause I must close the period.
    Thanks

    Hi
    Check Table TABA, whats your last posted period for depreciation
    If you are executing depreciation for last period + 1, then this error is not justified
    If you are doing it for last period + 2, then its justified
    Br, Ajay M

  • Where can I post requests for future versions of Acrobat?

    I have a number of things that I think should be improved for future versions of all adobe products (the overprint button in Acrobat for example) and am sure I have seen an area for this. Can anyone help me out here?
    Thanks

    Acrobat Feature Request Forum:
    http://forums.adobe.com/community/acrobat/acrobat_feature_request
    Official Adobe page:
    https://www.adobe.com/cfusion/mmform/index.cfm?name=wishform

  • 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();
    }

  • Request for future updates.

    Please figure out how to stop changing my desired settings.
    Every time you push an update you are altering my save as preferences.
    When using CR Save Image, I am able to select my default File Naming scheme, File Extension, File type, Metadata, and Quality level.. But with EVERY update of the software, this gets reset. STOP IT!

    Some folks may not be clairvoyant, but I actually do have almost a sixth sense with regard to what other people are saying.
    0.  You posted something difficult for someone who doesn't use Photoshop just as you do to understand, and you posted it in an abrupt tone, as though you're in charge.
    1.  Station_two had a little trouble understanding you were talking about the Save dialog in Camera Raw - or assumed others might have such trouble - and may have felt a bit put off by your tone, so he requested you to try to relax and do a more complete and detailed job of writing up your request.  He provided a helpful link that basically says those things.
    2.  You either didn't "get it" and/or are still upset and are looking for confrontation rather than problem resolution.
    Now, as to your original issue...
    It would likely be more pertinent for you to ask the Camera Raw folks in the dedicated Camera Raw forum.  The Camera Raw developers hang out there:  http://forums.adobe.com/community/cameraraw
    Though I was able to derive what you're asking, you would do well to describe a bit more of the context, and maybe even put up a picture so that everyone knows just what settings you're talking about in what dialog.  Edit:  I see you've done some of that in your most recent post above.
    I get the feeling that the saved settings in Camera Raw have a different format each new version, they may be stored somewhere else (or in a different format), and there's some effort to migrate settings from version to version.  It may just be that this particular group of settings has been overlooked, and by asking nicely you might get your wish.  There's also a site for requesting new features:  http://feedback.photoshop.com/photoshop_family
    Everyone understands that using this software can be frustrating at times, and we all paid the high prices, but just keep in mind that most of the folks here are just other users, trying to be helpful, and people can get offended by a person with an attitude.  It's been proven time and again that using a forceful tone is less likely to get you positive results than being humble and asking nicely.  I've done it too - and it just doesn't work.
    -Noel

  • 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.

  • 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.

  • Request for future Nokia E72 updates...

    I just used a Nokia E73 for T-Mobile.
    It's software is a bit better than the one on the E72.
    In the E73, the optical joystick is smoother and faster. The "lock keys" function is now available as an option for the selection keys.
    I'd like to see the same tweaks on the E72.
    Is anyone with me on this?

    Update4America wrote:
    I just used a Nokia E73 for T-Mobile.
    It's software is a bit better than the one on the E72.
    In the E73, the optical joystick is smoother and faster. The "lock keys" function is now available as an option for the selection keys.
    I'd like to see the same tweaks on the E72.
    Is anyone with me on this?
    all you can do just wait. Nokia will release updates occasionally without notice. so no one knows when exactly release dates.
    Glad to help

  • 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?

  • 2.4.24 killed my arch. [FXx] script requested for future

    pacman upgraded kernel today to 2.4.24
    on reboot
    arch dies stone dead
    EBDA is big; kernel setup stack overlap LILO second stag
    I use /dev/hda1 as boot and root
    NO disk or MBR corruptions.
    ideas?
    [updated]
    as Hapy said below a script to run lilo is highly recommended and should be included

    did you read the installation output?
    like debian, gentoo, etc. there are certain packages that are installed that can cause issues if certain things are not done post install. in such cases there are always instructions piped to console/terminal of just what to do. package managers are designed to manage what is installed and what isn't they are not usually designed to detect what packages are being used (ie lilo or grub) or how a package may be configured (ie samba, mysql). as such the only thing that can be done is ensure that important files are not overwritten/replaced.
    if you read any forums at all you know such problems always arise in any dependency solving system. it is not usually the fault of the packages or package manager but a failure on the part of the user to read their installation results. trust me i have done it plenty of times in arch, debian, etc. don't ever assume that a package manager will cook as well as clean. most don't .

  • Request for future bios relese for 875P Neo

    Please can we have a 1.775v core voltage option?

    The Taiwan page is located at http://www.msi.com.tw/program/products/mainboard/mbd/pro_mbd_detail.php?UID=434

  • Posting run for future period requested

    Dear Team,
    While taking depreciation run for company code in AFAB system is generating the error message "Posting run for future period requested (check entry)" SAP error AA697
    please help to reslove the issue.
    Regards,
    MAhendra

    Hi,
    look into the Threads,
    Can't Run AFAB - Posting run requested for future period
    Regards
    Andi

  • Request for iOS

    Hi there,
    I am new in this forum, and posting here as I haven't seen any other way to send requests for future releases.
    I am quite sad to see there is no forum dedicated to iOS, as my post is related to it.
    Firstable, want to say I have been quite happy with Apple products so far, in my opinion very high quality hardware.
    It hasn't always been the same for iOS, but it definitely has changed and improved a lot with latest updates.
    There are still some things that need improvement in order to become a bit more user friendly, and here goes one, very important for me:
    I would appreciate some folder, same style as the 'fotos' folder, where you can download or transfer, and possibly view, all kind of documents (pdf, doc, xls, etc...).
    And that those documents could be later sent attached to a mail, using 'mail', or other third party mail application (example mBox mail).
    I know there are applications like goodreader with which you can do that, but it would be nice to have a default iOS function for that (to download & send documents). Same thing that you can do with mac OS.
    I am honestly missing as well, like many users, flashplayer, to see some websites that need it to be installed.
    Thank you and happy year 2011 to everybody!

    There is no forum specifically for iOS since there's no single version. It's a bit different on each device. Posting in the device forum is the best way to get assistance.
    For providing suggestions to Apple, use their feedback page:
    http://www.apple.com/feedback/ipad.html
    I would appreciate some folder, same style as the 'fotos' folder, where you can download or transfer, and possibly view, all kind of documents (pdf, doc, xls, etc...).
    There are many third-party utilities that provide this sort of functionality, including the ability to email a file. Dropbox is one I use and it works quite well. You might want to look into some of those.
    Regards.

  • Submitting firmware update requests for the HAP-Z1ES?

    I was wondering if there is a link to where users can submit requests for future firmware upgrades.
    It would be great if in the Audio Settings menu of the HAP-Z1ES, there could be a feature that allows you to change the phase settings of the two d/a converts (from "normal" to "invertred", and vice versa).  Stereophile's latest issue reviews this player and mentions that the phase of the L/R channels is inverted.  
    This is something that you can changed via firmware, as the d/a chips in this unit have the feature of being software controlled and switching the phase is a feature of these chips.
    Thank you.
    Solved!
    Go to Solution.

    You can share your suggestion/s here. Thank you! 
    If my post answers your question, please mark it as "Accept as Solution"
    http://bit.ly/Win-4K

Maybe you are looking for

  • Odd region edit behavior

    Hi all, I encountering a small issue in Logic Pro 8.0.2. I record an audio track maybe 4 bars. After listening I decide I only want the second two bars. I used to be able to (in express 7.2) just drag the file to the beginning of the 3rd bar and that

  • IBooks 1.3 , automaticly start audio / video

    Hello, after the update iBooks to version 1.3 i have the following problem. If i start the app and choice the Book "Säulen der Erde" the app plays the audio or video part of the book directly. So every time i open the book i hear the sound. This is t

  • Next N Interface

    I need to query a database and display above the returned query results in sets of 10, and have a Next n records interface like the following: Now displaying 20 -30 of N Records << Previous 1 2 3 4 Next>> Does anyone know how to do this, or have samp

  • No SmartView Bar on Excel started from DotNet Interop

    If I start Ms-Excel Independantly on Windows OS, I can work fine with SmartView, But If I open Excel Window thru a C# Program using Interop-VBE, then the SmartView ToolBar/MenuTab is missing and cant work with SV and hence Smartview Macros donot run

  • Change requests

    hi guru's, 1)How to  add a charecterstic to an infocube with data and how to retrieve data for that charecterstic 2)if the charecterstic is in infosource what is the procedure and if not in the infosource what is the procedure 3)once we defined a dat