Static or singleton for clipboard handling

Hi Everyone,
I have the below class with static methods for handling the system clipboard in my small application. I've read that when there is a state maintained I should prefer singleton over static methods. So I guess, I should make this class a singleton because of the Clipboard object in it.
Could someone maybe explain it a little bit what is behind this advice and why would it be better in this case ? What situation can occur when these static methods are not good but the singleton would be?
I suppose these methods won't need to be polymorphic in the future, so that's probably not a factor.
Thanks for any comments in advance,
lemonboston
public class ClipboardAction {
     private static Clipboard clipboard;
     static {
          clipboard = Toolkit.getDefaultToolkit().getSystemClipboard();
     public static String getText() {
          try {
               Transferable trans = clipboard.getContents(null);
               return (String) trans.getTransferData(DataFlavor.stringFlavor);
          } catch (UnsupportedFlavorException e) {
               JOptionPane.showMessageDialog(null,
                         "Not text on Clipboard. Try again.");
               return "";
          } catch (IOException e) {
               JOptionPane.showMessageDialog(null,
                                   "Something happened when trying to access clipboard. (IOException)\nTry again.");
               return "";
     public static void clear(){
          StringSelection data = new StringSelection("");
          clipboard.setContents(data, null);
     public static void setText(String text){
          StringSelection data = new StringSelection(text);
          clipboard.setContents(data, null);
}

Thank you guys for the comments. So what is the solution now? :)
If I understand it correctly there is one vote for static, one for singleton and one for none.
EJP, do you mean that there is no need to keep a clipboard reference variable? So instead of this in my class:
private static Clipboard clipboard;
     static {
          clipboard = Toolkit.getDefaultToolkit().getSystemClipboard();
     }I could use this?:
private static Clipboard clipboard(){
          return Toolkit.getDefaultToolkit().getSystemClipboard();
     }I don't know what is 'cache' exactly but isn't this system Clipboard (singleton) object there anyway, and I just create a reference for it, which I guess doesn't take too much system resource? Based on this I don't see a big difference in solutions above.
Or did you mean something else? (probably.. :) )
Thanks in advance for any further help with this.

Similar Messages

  • Static vs Singleton for cache

    Hi!
    I'm developing a web application, where I want to cache some Java objects in a HashMap. The Objects will then be fetched using something like this:
    Cache.getPost(String key);
    But I'm not sure if I can use a static method and a static HashMap for this? Is a Singleton more suited? If so, why?
    Vidar

    Allow me to elaborate...
    Using a static hashmap and a static method, there will >only be one 'instance' of the hashmap, shared between >the different instances of the class, right?Yes, if you choose to instantiate instances of the class that contains the static hashmap. Typically when you have a situation like what you are describing you don't need to create instances of the class containing the map itself - just provide methods to get/put data in and out of the map. Here is a quick example:
    public class Cache {
    private static Map cacheMap = new HashMap();
    public static void set(Object key, Object value) {
    cacheMap.put(key, value);
    public static void get(Object key) {
    cacheMap.get(key);
    The Singleton only has one copy(usually) of the >hashmap as well, because there will only be one >instance of the class itself.That is correct. The only difference from the above example is the fact that you will declare the Map as an instance attribute, and not a static attribute.
    My plan is to fill the cache with objects created with >data from my database at startup, and check the >database every 10 minutes to see if there has been any >changes. If there has, the cache will be updated to >reflect this.Not a problem - the "static" example above will work just fine, as will a Singleton solution. What you have to watch out for is thread concurrency issues. For example, let's say that I go to the cache at the exact same instant that a daemon thread is updating data from the database. You can't guarantee that your cache request will be the old or new value without handling thread locking issues. There is really not enough space here to give this the attention it deserves. I'd recommend that you take a look at the threading forum and see if there are any cache updating examples posted over there...
    Will both a singleton and static solution be capable >of doing this?Yes. Both are capable, and it boils down to a matter of choice more than anything else. The big issue you need to address is how to handle the updating process.
    Jonathan House

  • Clipboard Handling ... font is not retained

    I do this same project at the end of each year, and this was not a problem with InDesign last year. 
    When I copy Arial 13pt text in Excel 2011 (Mac) and paste into the current version of InDesign CC, the font styling is lost.  InDesign converts the text to it's default: Minion Pro 12pt.
    As always, I have my preferences in InDesign set ... Preferences > Clipboard Handling > Paste All Information (Index Markers, Swatches, Styles, etc.) is enabled.  Note that "Styles" is an attribute that InDesign is supposed to retain when pasting into InDesign CC.
    1. Has anyone else experienced this problem?
    2. Is there a known workaround for this?
    Thank you!

    Thank you for the suggestion, Laubender.  The font styling is retained by TextEdit, but InDesign still does not retain the font styling when the text is copied in TextEdit & pasted into InDesign.
    It turns out this is a bug in InDesign for Mac, and I reported the bug.
    I happen to have Windows 8.1 Pro installed on this same iMac.  When I performed the same task in InDesign for Windows, InDesign retains the font styling successfully.  So, this is just a problem Adobe needs to fix in InDesign for Mac.
    Lucky I have Windows machines available. 
    Thank you again.

  • Can i use singleton for storing current login id

    hello,
    can i use a singleton for storing login userid temporarilary for application lifetime. Is there any issue if more than 2 users login at the same time as the singleton object will be static ! ..

    let me ask more precisely..
    is there anything of concern if i run my program(involving statics) by 2 jvm instances.
    public class Demo extends Thread
         static String[] myargs ;
         public static void main(String args[])
              myargs = args;     
              try
                   Demo.sleep(5000);
              catch(InterruptedException e)
              System.out.println(myargs[0]);
    }look at the pre code...what if i try to run it by using 2 command promptS
    giving different aruements (a bit quick)
    Edited by: rajat on Dec 28, 2007 7:14 AM

  • Static or singleton?

    What better to use:
    1.
    class MyConfiguration {
      private static String text;
      public static String getText() {
      public static void setText(String text) {
       this.text. = text;
    static void load() {}
    static void save() {}
    }and use like this:
    MyConfiguration.load();
    MyConfiguration.getText();
    MyConfiguration.setText();
    MyConfiguration.save();or
    2.
    class MyConfiguration {
      private static MyConfiguration instance;
      public static MyConfiguration getInstance() {
        if (instance == null) {
          instance = new MyConfiguration();
    private MyConfiguration() {
      private String text;
      public String getText() {
      public  void setText(String text) {
       this.text. = text;
    void load() {}
    void save() {}
    }and use like this:
    MyConfiguration.getInstance().load();
    MyConfiguration.getInstance().getText();
    MyConfiguration.getInstance().setText();
    MyConfiguration.getInstance().save();My question is: What is better to use 1 or 2?

    A concrete reason is unit testing. Let's say you wanted to stub/mock your MyConfiguration class in a test case so it returned a value of your choosing. With option 1, you can't do that - you'd be forced to write a real configuration file and have your MyConfiguration class read it in. With option 2, you could extend MyConfiguration to create TestConfiguration, or better still, use a test library like EasyMock or jMock to do the work for you, leaving you to simply record or specify stubbed/expected values.
    As a wee aside: I tend to avoid singletons because they make unit testing slightly harder than alternatives such as dependency injection. When I do use singletons, for unit testing purposes I normally make the constructor protected rather than private (so the class can be extended) and make the singleton instance field non-final (so it can be 'replaced' by a cheeky setAccessible(true) in my unit tests), e.g.:
    public class TestConfiguration extends Configuration {
      public void pushSingleton() {
        try {
          Field instanceField = MyConfiguration.class.getField("instance");
          instanceField.setAccessible(true);
          instanceField.set(null, this);
        } catch (SecurityException e) {
    // In the test case:
    TestConfiguration config = new TestConfiguration();
    config.setValue("property_x", true);
    config.pushSingleton();

  • Single Transfer Order for Multiple Handling Units

    I have been researchig the ability to create a single transfer order for multiple handling units.  My assumptions are if it can be done that:
    1) A transfer order can have a single source, so if the source document for the handling unit (delivery) is different, that means different transfer order
    2) A TO can have multiple materials (line items) with different destination bins and quantities per bin
    I looked at the configuration for TO Split, but it's not clear that this will handle my requirement.
    I also saw this http://aq33.com/material-management/Articles-005798.html and it also says that my requirement can't be meant.  I'm just checking before I tell my customer this cannot be done.

    Yes you are right, if Source document is different, you need to go with different TO.
    But you can choose the Handling unit split, while creating a TO itself. i.e., You can quantify the goods for each handling unit.
    Edited by: Ganesh M on Feb 29, 2012 6:20 AM

  • BPM for error handling and acknowledgements

    Hi,
    Can any one tell me how to handle BPM for error handling and acknowledgements in one scenario.
    Please send me the link if you have other wise give me the solution on the same.
    Thanks,
    Nagesh

    Hi !
    Just check out these links This might help you.
    Usually Application Level Acknowledgement is considered during Sync communication. If you are using RFC, you can make use of Sync communication. So you can handle it without bpm, provided your both sender and receiver are sync interfaces.
    To know about Ack-
    http://help.sap.com/saphelp_nw2004s/helpdata/en/f4/8620c6b58c422c960c53f3ed71b432/content.htm
    you can not dirrectly access the content of the ACK, however the BPM shows different behaviours based on the ACK status. E.g. if the ACK contains a success message the BPM will continue in its normal process, if the ACK contains a permanent error, it will either stop or go through an exception branch (provided such a branch has been defined). Have a look at the documentation: http://help.sap.com/saphelp_nw04/helpdata/en/43/65ce41ae343e2be10000000a1553f6/content.htm It doesnt"t state the above mentioned behaviour in detail but says that you need to define an exception branch.
    The trickiest part is always to find out, when you will get a transient vs. as permanent error ack. If you are using ACKs with Proxies refer also to this link http://help.sap.com/saphelp_nw04/helpdata/en/29/345d3b7c32a527e10000000a114084/content.htm and this http://help.sap.com/saphelp_nw04/helpdata/en/f4/8620c6b58c422c960c53f3ed71b432/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/29/345d3b7c32a527e10000000a114084/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/7b/94553b4d53273de10000000a114084/content.htm
    <b>The following link has entire configuration of Receiver XI Adapter (including acknowledgements)</b>
    http://help.sap.com/saphelp_nw04/helpdata/en/f4/0a1640a991c742e10000000a1550b0/content.htm
           <b>   eror handling in BPM.  
    </b>
    1. CCMS monitoring
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/42fb24ff-0a01-0010-d48d-ed27a70205a8
    2. BPM Monitoring
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/e7bc3a5a-0501-0010-1095-eb47159e169c
    3. Monitoring XML Messages http://help.sap.com/saphelp_nw04/helpdata/en/41/b715045ffc11d5b3ea0050da403d6a/frameset.htm
    /people/sap.user72/blog/2005/11/29/xi-how-to-re-process-failed-xi-messages-automatically
    monitoring BPm https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/library/uuid/e7bc3a5a-0501-0010-1095-eb47159e169c
    Reconciliation of Messages in BPM - /people/krishna.moorthyp/blog/2006/04/08/reconciliation-of-messages-in-bpm
    Also see the below BPM related links
    check list for BPM https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/3bf550d4-0201-0010-b2ae-8569d193124e
    /people/shabarish.vijayakumar/blog/2005/08/03/xpath-to-show-the-path-multiple-receivers
    http://help.sap.com/saphelp_nw04/helpdata/en/3c/831620a4f1044dba38b370f77835cc/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/62/dcef46dae42142911c8f14ca7a7c39/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/de/766840bf0cbf49e10000000a1550b0/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/cb/15163ff8519a06e10000000a114084/content.htm
    http://help.sap.com/saphelp_nw04/helpdata/en/08/16163ff8519a06e10000000a114084/content.htm
    Many other examples can be found under the following link at help.sap.com
    http://help.sap.com/saphelp_nw04/helpdata/en/14/80243b4a66ae0ce10000000a11402f/frameset.htm
    And some weblogs
    https://weblogs.sdn.sap.com/pub/wlg/1403 [original link is broken] [original link is broken] [original link is broken]
    /people/siva.maranani/blog/2005/05/22/schedule-your-bpm *****
    /people/krishna.moorthyp/blog/2005/06/09/walkthrough-with-bpm
    /people/michal.krawczyk2/blog/2005/06/11/xi-how-to-retrieve-messageid-from-a-bpm
    /people/arpit.seth/blog/2005/06/27/rfc-scenario-using-bpm--starter-kit
    /people/sravya.talanki2/blog/2005/08/24/do-you-like-to-understand-147correlation148-in-xi
    /people/michal.krawczyk2/blog/2005/09/04/xi-do-you-realy-enjoy-clicking-and-waiting-while-tracing-bpm-steps *****
    /people/udo.martens/blog/2005/09/30/one-logical-system-name-for-serveral-bpm-acknowledgements *****
    /people/sudharshan.aravamudan/blog/2005/12/01/illustration-of-multi-mapping-and-message-split-using-bpm-in-sap-exchange-infrastructure
    /people/kannan.kailas/blog/2005/12/07/posting-multiple-idocs-with-acknowledgement
    Also have a look at these seminars,
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/media/uuid/daea5871-0701-0010-12aa-c3a0c6d54e02
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/docs/media/uuid/e8515171-0701-0010-be98-e37bec4706cc
    Thanks !!!
    Regards
    Abhishek Agrahari
    Questions are welcome here!!
    <b>Also mark helpful answers by rewarding points</b>

  • Test exact exception messages in java SE with locale for program handling

    My problem is test the exact exceptions returned by JAVA Standard Engine for program handling.
    I work in systems usually set to "Italian Locale" and the result is different in different platforms.
    When I work in MSWindows with Java almost messages are in English but not all, for example IOException "Cannot assign requested address" in the Italian Locale is "Indirizzo richiesto non valido nel proprio contesto" but other messages like "Socket Closed" remain "Socket Closed".
    Catch the exact exception through description is not a good idea but I don't found other way for Java SE native exceptions!
    In Solaris I try to set English LANG environment in the user context and it works.
    In MS Windows I try to set the definition in start java with:
    *"java -Duser.language=en -Duser.region=US"*
    and in the code I try to add the statement:
    Locale.setDefault(Locale.US);
    but without results.
    Is there anybody that has the same problem?
    Is there a better way to catch the exact type of Java SE exceptions ?
    My test Environments:_
    Solaris 10 jdk 1.6.0.02
    MS Windows 2000 jdk 1.6.0.02
    MS Windows XP jdk1.6.0.02 and 1.5.0.12
    Fragment program example for additional explanation:_
    try {
    } catch (IOException ex) {
    if (ex.getMessage().equals("Socket Closed"))
    System.out.println("Ok socket closed exception catched");
    if (ex.getMessage().equals("Cannot assign requested address"))
    System.out.println("Ok assign requested address exception catched");
    }

    My problem is test the exact exceptions returned by JAVA Standard Engine for program handling.
    I work in systems usually set to "Italian Locale" and the result is different in different platforms.
    When I work in MSWindows with Java almost messages are in English but not all, for example IOException "Cannot assign requested address" in the Italian Locale is "Indirizzo richiesto non valido nel proprio contesto" but other messages like "Socket Closed" remain "Socket Closed".
    Catch the exact exception through description is not a good idea but I don't found other way for Java SE native exceptions!
    In Solaris I try to set English LANG environment in the user context and it works.
    In MS Windows I try to set the definition in start java with:
    *"java -Duser.language=en -Duser.region=US"*
    and in the code I try to add the statement:
    Locale.setDefault(Locale.US);
    but without results.
    Is there anybody that has the same problem?
    Is there a better way to catch the exact type of Java SE exceptions ?
    My test Environments:_
    Solaris 10 jdk 1.6.0.02
    MS Windows 2000 jdk 1.6.0.02
    MS Windows XP jdk1.6.0.02 and 1.5.0.12
    Fragment program example for additional explanation:_
    try {
    } catch (IOException ex) {
    if (ex.getMessage().equals("Socket Closed"))
    System.out.println("Ok socket closed exception catched");
    if (ex.getMessage().equals("Cannot assign requested address"))
    System.out.println("Ok assign requested address exception catched");
    }

  • Option for error handling for DTP, ' no updata, no reporting" and "deactiva

    Hello Gurus,
         option for error handling for DTP, ' no updata, no reporting" and "deactivated" , please give some explanation and instance for them?
    Many Thanks,

    On the Update tab page, specify how you want the system to respond to data records with errors:
                                a.      No update, no reporting (default)
    If errors occur, the system terminates the update of the entire data package. The request is not released for reporting. However, the system continues to check the records.
                                b.      Update valid records, no reporting (request red)
    This option allows you to update valid data. This data is only released for reporting after the administrator checks the incorrect records that have not been updated and manually releases the request by setting the overall status on the Status tab page in the monitor (QM action).
                                c.      Update valid records, reporting possible
    Valid records can be reported immediately. Automatic follow-up actions, such as adjusting the aggregates, are also carried out.
    http://help.sap.com/saphelp_smehp1/helpdata/en/42/fbd598481e1a61e10000000a422035/content.htm
    Hope it helps.
    rgds, Ghuru

  • SFTP Seeburger adapter - Could not find channel for report handling between

    Hello Friends ,
    We have R3 -> PI-> SFTP scenario . The messages are transferred successfully and the file is successfully received at the receiving end . But when we do communication channel monitoring , we see errors in Receiver CC . The Reciever CC contains SFTP adapter (Seeburger) . Recently the Seeburger adapter is upgraded and the below error has started occuring then onwards .
    Error Message which we see in CC monitoring for Receiver CC (SFTP) is as below .
    Initiation of Transmission Report( job id: da405030-30c6-11df-8b6e-797b8921162c milestone: 290) failed! Exception occured: Error while preparing XI message. Error: Could not find channel for report handling between parties: fromParty, toParty: Itella) - com.seeburger.xi.connector.fw.ConfigurationException: Error while preparing XI message. Error: Could not find channel for report handling between parties: fromParty, toParty: Itella) [3/16/10 8:40 AM]
    Could experts help me ...
    Thanks for your time .
    Regards,
    Laxman Nayak .

    Hi,
    I also have the error you mentioned but we're implementing the Seeburger SFTP adapter for the first time.
    I've requested transport acknowledgements in my ABAP proxy and have checked the 'Deliver transmission report' flag in the adapter but I don't know what else I must do.
    Any help would be greatly appreciated.
    Thanks,
    Alan

  • How to print screen & recommendations for clipboard extenders?

    How do i print screen on my new iMac & can you recommend clipbaord extenders similar to the PC products Clipmate or SnagIt??
    As you can guess I'm a PC convert. Just got my new 24" iMac on the weekend and trying to get back to productivity. LOVE the product generally.
    TIA
    Barry

    Welcome to Apple Discussions!
    When you say print screen, do you mean screen capture to image, or print the contents of the screen?
    For screen capture, you can follow these directions:
    http://docs.info.apple.com/article.html?path=Mac/10.4/en/mh338.html
    http://docs.info.apple.com/article.html?path=Mac/10.4/en/mh344.html
    http://docs.info.apple.com/article.html?path=Mac/10.4/en/mh1634.html
    http://docs.info.apple.com/article.html?path=Mac/10.4/en/mh364.html
    A timed capture is avaialble with the Grab Utility found in your Applications folder. For many more screen capture functions, see this utility:
    http://www.ambrosiasw.com/utilities/snapzprox/
    Note: some content on the screen may be copyright, so be careful only to copy that which you have rights to do so.
    To print a Finder window directly to printer, there is this utility:
    http://searchwaresolutions.com/products/printwindow/
    For clipboard extention, see this utility:
    http://inventive.us/iClip/
    You may find others on http://www.macupdate.com/ or http://www.versiontracker.com/macosx/ which are more tuned in for your use.

  • Application logs for log handling in lsmw idoc method

    Hi Abapers,
          Im using LSMW IDOC method for data transfer from legacy to sap system.Now the requirement is to handle application logs for log handling i.e i have to make use of custom report to handle logs,can any one tell me what all steps to be done for this or if any one can share a link related to application logs would be greatly appreciated.
    Thanks.
    Edited by: saeed.abap on Dec 27, 2011 5:13 PM

    Hi Saeed,
    Please check with this fms
    1) BAL_DSP_LOG_DISPLA
    2) APPL_LOG_READ_DB
    3) IDOC_GET_MESSAGE_ATTRIBUTE
    There is a wiki [Error Log Lsmw|http://wiki.sdn.sap.com/wiki/display/Snippets/ErrorLogProgramforBAPIandIDocMethodin+LSMW] available.
    Regards,
    Madhu.
    Edited by: madhurao123 on Dec 28, 2011 8:25 AM

  • [svn:fx-trunk] 7803: Metadata needed by Bangalore team for event-handler generation.

    Revision: 7803
    Author:   [email protected]
    Date:     2009-06-12 15:33:24 -0700 (Fri, 12 Jun 2009)
    Log Message:
    Metadata needed by Bangalore team for event-handler generation.
    Bug: http://bugs.adobe.com/jira/browse/SDK-21632
    Checkintests: Pass
    Reviewer: Ryan
    Ticket Links:
        http://bugs.adobe.com/jira/browse/SDK-21632
    Modified Paths:
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/HScrollBar.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/HSlider.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/NumericStepper.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/RadioButtonGroup.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/VScrollBar.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/components/VSlider.as
        flex/sdk/trunk/frameworks/projects/flex4/src/spark/primitives/RichEditableText.as
        flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/ButtonBar.as
        flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/TabBar.as
        flex/sdk/trunk/frameworks/projects/framework/src/mx/controls/ToggleButtonBar.as

    Hi Jeffrey,
    did you post a Mylyn bug? This is the best way to get your issue addressed.
    At the moment is holiday time and some of the Mylyn guys may be on vacation.
    They definitely look at the bug list, but may not browse the newsgroup everyday.
    Cheers, Jörg
    On 07/13/09 09:26, Jeffrey Zelt wrote:
    > I am *still* having the annoying problem where Mylyn opens *several*
    > identical editor windows for items in my task context. This occurs
    > whenever I activate a task.
    >
    > I reported this problem this past January but no one replied. See:
    >
    > http://dev.eclipse.org/newslists/news.eclipse.tools.mylyn/ms g01561.html

  • What are the best practices for exception handling in n-tier applications?

    What are the best practices for exception handling in n-tier applications?
    The application is a fat client based on MVVM pattern with .NET framework.

    What are the best practices for exception handling in n-tier applications?
    The application is a fat client based on MVVM pattern with
    .NET framework.
    That would be to catch all exceptions at a single point in the n-tier solution, log it and create user friendly messages displayed to the user. 

  • Static input help for DATS type

    Hello,
    I'd like to link static input help for screen field of DATS type. If I click on help linked to this screen field I get CONVT_NO_NUMBER error: 'Unable to interpret "=2" as a number.'
    My steps:
    - In Screen Painter I selected desired screen field and selected DATS type and "1 Show at selection" in its details.
    - I defined global variable with same name as desired screen field
    What's the problem?
    Best regards,
    Josef Motl

    Hi,
    do this way.....
    first declare the variable in program as
    1. data: date type sy-datum.
    2. now go to your screen,(click on F6) use get from Program
    now choose date form it , and say ok, now save it and activate it.
    delete the old one..
    now you will be able to get all the things which you want.
    automatical validation also possible, and F4 also possible.
    Regards
    vijay

Maybe you are looking for

  • Images missing in Keynote 08

    I have often had this problem - in previous versions of Keynote - where a file would open up with a warning that various image files could not be found, even though they had never been moved from their original location. This entailed reloading them

  • When I print business cards, they sometimes print 1/4 too high but not always.

    I have my business cards in a Word document using an Avery template. I have used the same file for years. I never had a problem with my Canon printer but after buying an HP Photosmart D110 I have had nothing but problems. When I print then they print

  • Upgrade steps from 11.2.0.1 to 11.2.0.2

    Hi, I have 11.2.0.1 database. Now i want to apply patch for 11.2.0.1. I am installing 11.2.0.2 in separate home,not on 11.2.0.1.If i have installed the 11.2.0.2 , now 11.2.0.2 will be our new oracle home, right?. My previous/existing 11.2.0.1 databas

  • [solved]RAID1 array is showing only one disk

    Hi, I configured RAID1 on my Arch Linux system. Sometime during the past few days (I don't know when) I think SATA cable of one of the disks (sda) went loose. I got a hint by some error messages in dmesg output. I realized this only today. To minimiz

  • Preview Shift Color on Save?

    Hi Can anyone save me from this headache of a problem! After saving a postscript file from QuarkXpress 5.0 I open it in preview. All is good. But then when I save it out of preview as a pdf the color changes as soon as the save is complete. Why is th