Reflection using super?

This is pseudocode for what I want to do. Is there a way to do it?
class MyException extends Exception
  MyException(Throwable cause)
     if (islessthan_jdk1.4())
        super(cause.toString());
     else
        super(cause); //this needs to somehow be done with reflection in order to compile under 1.3
}

I personally like the idea of compiling under 1.4 and running under 1.3 knowing that the worst I'll get is a MethodNotImplementedException (which I can avoid by doing things properly).
The only problem is the hassle of the compile/debug sequence if I use this solution to often: compile under 1.4, switch jdk, debug, switch jdk, compile ...
Following is what I'm doing now (just avoiding using super all together), here's my specific code (Version.is14() does what you think it does):
public class MutexAssumptionException extends RuntimeException
    String message = "";
    public MutexAssumptionException()
        fillInStackTrace();
    public MutexAssumptionException(Throwable cause)
        fillInStackTrace();
        if (Version.is14())
            try
                getClass().getMethod("initCause", new Class[]{Throwable.class}).invoke(this, new Object[]{cause});
            } catch (Exception e) {}
        else
            message = cause.getMessage();
    public MutexAssumptionException(String message)
        this.message = message;
        fillInStackTrace();
    public MutexAssumptionException(String message, Throwable cause)
        this.message = message;
        fillInStackTrace();
        if (Version.is14())
            try
                getClass().getMethod("initCause", new Class[]{Throwable.class}).invoke(this, new Object[]{cause});
            } catch (Exception e) {}
    public String getMessage()
        return super.getMessage();
}I'll probably move this pattern into a superclass as I'll be using it a couple times, and just extend that class.

Similar Messages

  • I just put a solid state hard drive in my mac book pro and used super duper to copy the hard drive and move the data over to thew new ssd, but most of my music isn't in iTunes when I turned it on? How do I get my music to show up in my new drive?

    I just put a solid state hard drive in my mac book pro and used super duper to copy the hard drive and move the data over to thew new ssd, but most of my music isn't in iTunes when I turned it on? How do I get my music to show up in my new drive?

    Many thanks lllaass,
    The Touch Copy third party software for PC's is the way to go it seems and although the demo is free, if you have over 100 songs then it costs £15 to buy the software which seems not a lot to pay for peace of mind. and restoring your iTunes library back to how it was.
    Cheers
    http://www.wideanglesoftware.com/touchcopy/index.php?gclid=CODH8dK46bsCFUbKtAod8 VcAQg

  • Why do we use super when there is no superclass?

    Hello,
    I have a question about the word "super " and the constructor. I have read about super and the constructor but there is somethong that I do not understand.
    In the example that I am studying there is a constructor calles " public MultiListener()" and there you can see " super" to use a constructor from a superclass. But there is no superclass. Why does super mean here?
    import javax.swing.*;
    import java.awt.GridBagLayout;
    import java.awt.GridBagConstraints;
    import java.awt.Insets;
    import java.awt.Dimension;
    import java.awt.Color;
    import java.awt.event.ActionListener;
    import java.awt.event.ActionEvent;
    public class MultiListener extends JPanel
                               implements ActionListener {
        JTextArea topTextArea;
        JTextArea bottomTextArea;
        JButton button1, button2;
        final static String newline = "\n";
        public MultiListener() {
            super(new GridBagLayout());
            GridBagLayout gridbag = (GridBagLayout)getLayout();
            GridBagConstraints c = new GridBagConstraints();
            JLabel l = null;
            c.fill = GridBagConstraints.BOTH;
            c.gridwidth = GridBagConstraints.REMAINDER;
            l = new JLabel("What MultiListener hears:");
            gridbag.setConstraints(l, c);
            add(l);
            c.weighty = 1.0;
            topTextArea = new JTextArea();
            topTextArea.setEditable(false);
            JScrollPane topScrollPane = new JScrollPane(topTextArea);
            Dimension preferredSize = new Dimension(200, 75);
            topScrollPane.setPreferredSize(preferredSize);
            gridbag.setConstraints(topScrollPane, c);
            add(topScrollPane);
            c.weightx = 0.0;
            c.weighty = 0.0;
            l = new JLabel("What Eavesdropper hears:");
            gridbag.setConstraints(l, c);
            add(l);
            c.weighty = 1.0;
            bottomTextArea = new JTextArea();
            bottomTextArea.setEditable(false);
            JScrollPane bottomScrollPane = new JScrollPane(bottomTextArea);
            bottomScrollPane.setPreferredSize(preferredSize);
            gridbag.setConstraints(bottomScrollPane, c);
            add(bottomScrollPane);
            c.weightx = 1.0;
            c.weighty = 0.0;
            c.gridwidth = 1;
            c.insets = new Insets(10, 10, 0, 10);
            button1 = new JButton("Blah blah blah");
            gridbag.setConstraints(button1, c);
            add(button1);
            c.gridwidth = GridBagConstraints.REMAINDER;
            button2 = new JButton("You don't say!");
            gridbag.setConstraints(button2, c);
            add(button2);
            button1.addActionListener(this);
            button2.addActionListener(this);
            button2.addActionListener(new Eavesdropper(bottomTextArea));
            setPreferredSize(new Dimension(450, 450));
            setBorder(BorderFactory.createCompoundBorder(
                                    BorderFactory.createMatteBorder(
                                                    1,1,2,2,Color.black),
                                    BorderFactory.createEmptyBorder(5,5,5,5)));
        public void actionPerformed(ActionEvent e) {
            topTextArea.append(e.getActionCommand() + newline);
            topTextArea.setCaretPosition(topTextArea.getDocument().getLength());
         * Create the GUI and show it.  For thread safety,
         * this method should be invoked from the
         * event-dispatching thread.
        private static void createAndShowGUI() {
            //Create and set up the window.
            JFrame frame = new JFrame("MultiListener");
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            //Create and set up the content pane.
            JComponent newContentPane = new MultiListener();
            newContentPane.setOpaque(true); //content panes must be opaque
            frame.setContentPane(newContentPane);
            //Display the window.
            frame.pack();
            frame.setVisible(true);
        public static void main(String[] args) {
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable() {
                public void run() {
                    createAndShowGUI();
    }

    OP wrote:
    >
    Isn't that simplier to use the constructor instead of using "super"? I mean using the constructor jpanel () ?
    >
    You can't call the super class constructor directly if you are trying to construct the sub-class. When you call it directly it will construct an instance of the super class but that instance will NOT be an integral part of the 'MultiListener' sub class you are trying to create.
    So since 'MultiListener' extends JPanel if you call the JPanel constructor directly (not using super) your code constructing a new instance of JPanel but that instance will not be an ancestor of your class that extends JPanel. In fact that constructor call will not execute until AFTER the default call to 'super' that will be made without you even knowing it.
    A 'super' call is ALWAYS made to the super class even if your code doesn't have an explicit call. If your code did not include the line:
    super(new GridBagLayout()); Java would automatically call the public default super class constructor just as if you had written:
    super();If the sub class cannot access a constructor in the super class (e.g. the super class constructor is 'private') your code won't compile.

  • Trying to use super class's methods from an anonymous inner class

    Hi all,
    I have one class with some methods, and a second class which inherits from the first. The second class contains a method which starts up a thread, which is an anonymous inner class. Inside this inner class, I want to call a method from my first class. How can I do this?
    If I just call the method, it will use the second class's version of the method. However, if I use "super," it will try to find that method in the Thread class (it's own super class) and complain.
    Any suggestions?
    Code:
    public class TopClass
         public void doSomething(){
              // do something
    =============================
    public class LowerClass extends TopClass
         // overrides TopClass's doSomething.
         public void doSomething(){
              // do something
         public void testThread(){
              Thread t = new Thread(){
                   public void run(){
                        doSomething();               //fine
                        super.doSomething();          //WRONG: searches class Thread for doSomething...
              t.start();
    }

    Classes frequently call the un-overridden versions of methods from their superclasses. That's that the super keyword is for, if I'm not mistaken.You're not mistaken about the keyword, but you're not calling the superclass method from a subclass. Your anonymous inner class is not a subtype of TopLevel. It's a subtype of Thread.
    Here it is no different, except that I happen to be in a thread at the time.It's vastly different, since you're attempting to call the method from an unrelated class; i.e., Thread.
    I could also be in a button's action listener, for example. It seems natural to me that if I can do it in a method, I should be able to do it within an anonymous inner class which is inside a method.If you were in an button's action listener and needed to call a superclass' implementation of a method overridden in the button, I'd have the same questions about your design. It seems smelly to me.
    ~

  • How to fetch data from Database using SUP MBOs

    I'm learning to develop blackberry apps using SUP.I am new to both blackberry api and SUP.
    I need to make a login page for a Student and then validate the username and password entered using data from a database.
    I need to check the database for the username and password entered. What should be my next step? How do i get this data from the database. Using findAll() method is not working . Do i need to connect to SCC or unwired server first. If yes , then someone please provide a sample code for it.

    Hi!, I see your code and I see that you have a fee errors, try to use this:
    import java.text.*;
    import java.sql.*;
    import java.util.*;
    import java.io.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.OutputStream;
    * NOTE: You must put the try-catch and your sql code into the get method
    /** Servlet program to take fetchdata from database and display that on the broswer*/
    public class Fetchdata
        extends HttpServlet {
      String query = new String();
      String uid = "ashvini";
      String pwd = "******";
      public void doGet(HttpServletRequest request, HttpServletResponse response) throws
          ServletException, Exception {
        try {
          Connection con = null;
          Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
          String url = "jdbc:odbc:Testing";
          con = DriverManager.getConnection(url, uid, pwd);
          Statement s = con.createStatement();
          query = "select * from gowri.msllst1";
          ResultSet rs = s.executeQuery(query);
          response.setContentType("text/html");
          ServletOutputStream out = response.getOutputStream();
          out.println("<HTML>" + "<BODY BGCOLOR=\"#FDF5E6\">\n" +
                      "<H1 ALIGN=CENTER>" + title + "</H1>\n" +
                      "<table>" + " <th>ITEM Code</th>");
          while (rs.next()) {
            out.println("<tr><td>" + rs.getString(1).trim() + "</td></tr>");//I change </tr></td> for </td></tr>
          } //end of while
          out.println("</table></BODY></HTML>");
        catch (Exception e) {
          System.out.println(e);
      } //end of doGet method
    }I hope this help you :)

  • Hi when do we use 'super'?

    hi im just reading a text again again but its a bit hard to understand
    when do we have to use super reference?? can someone plz explain me
    as easy as possible?? so thai i can undertand... and btw, what is polymorphism???
    can anyone explain me plz ,
    thanks in advance

    Hiya!
    You'll find pretty good answers to both of your questions in Bruce Eckel's "Thinking in Java" which is available as a free download.
    As to the use of the 'super' keyword: Sometimes you change the behaviour of an object by subclassing it's class (inheritance) and overwriting the methods that don't suit your particular needs. A pretty good example for this is the javax.swing.JComponent's 'paintComponent(Graphics g)' method.
    In this case you'll want to start the method's code with a call to super.paintComponent(g) to make sure your JComponent is set-up and painted properly before you start adding your own code to change the object's behaviour (fill or draw a rectangle, display an image ...).
    Polymorphism, on the other hand, helps you to write code that is easier to maintain (or to understand, in the first place ;-)) but needs a certain amount of understanding of class design and object-oriented techniques in general.
    If you are new to Java let's say to know when to use the 'super' keyword will make your programming-life easier. Polymorphic techniques won't (at least not yet). But, as I stated earlier, you'll find better explanations in "Thinking in Java" which is probably one of the best introductory Java books ever-written.
    Regards,
    Steffen

  • How to create dvd/cd image using super drive in MacBook Air

    I have MacBook Air and also Apple Supper drive for the same. can u help me to find dvd/cd burrning and copy software. and also guide me "how to create dvd/cd image using super drive in MacBook Air"

    First to create a video DVD you need to use DVD authoring software like iDVD.  You can purchase it from the online Apple Store while supplies last.
    For creating a disk image use Disk Utility.
    To burn items to a CD or data DVD just insert the disc in the optical drive and drag those items onto the disc icon on the Desktop.  Then drag the disc icon to the Trash icon in the Dock which changes to a Burn icon.
    OT

  • Adobe Air Application only works using Super Administrator account on Windows XP

    Good day
    i really need some help. I developed air application that uses remote service, sql lite etc. It is working on my computer WIndows XP sp2. To test, i even created a guest account and it works fine. But when i deployed it to our client, the application doest work. Only the login page appears. I ask the it personnel there and ask if there are any restriction on the account of the user and said there is none because they are using Domain account. But when the super administrator is logged in, it works
    Your help will greatly apprciated

    Your help me, I iwill greatly apprciated
    HELP MALAYSIA
    Date: Thu, 21 Oct 2010 20:54:19 -0600
    From: [email protected]
    To: [email protected]
    Subject: Adobe Air Application only works using Super Administrator account on Windows XP
    Good day
    i really need some help. I developed air application that uses remote service, sql lite etc. It is working on my computer WIndows XP sp2. To test, i even created a guest account and it works fine. But when i deployed it to our client, the application doest work. Only the login page appears. I ask the it personnel there and ask if there are any restriction on the account of the user and said there is none because they are using Domain account. But when the super administrator is logged in, it works
    Your help will greatly apprciated
    >

  • Can WSUS coexist on Site Servers if we don't want to use SUP?

    We are a multi-site shop with one SCCM 2012 site server in each location.  We don't need the more robust options for delivering Windows Updates that SCCM+SUP brings, and are content to use WSUS and the traditional WUACLT interface instead.  However,
    we still want to use SCCM to deploy Software Packages and Applications, so the server in each location will still be configured as an SCCM Site Server.  If we remove all Software Update Point roles from our Site Servers, disable Software Updates in our
    SCCM Client Settings and create the proper WSUS Group Policy Objects... can we install a working WSUS service on each of our locations' servers?  
    Will the WSUS service on each branch's server function normally, even though the machine is also a SCCM Site Server, configured with various SCCM Site Roles such as Distribution Point?  Or will the SCCM server role break or otherwise prevent WSUS from
    working properly?
    Thank you for your time.  There is a lot of information about how to use SUP, but not a lot on how to not use it.  
    Kurt Young
    Renton, WA

    From a technical perspective, this will work fine, sure. However, why would you do this? Why would you have multiple ConfigMgr sites also? Just because you can do something doesn't mean you should. You're adding a lot of complexity for no reason.
    Also for reference Top 11 reasons why you should use ConfigMgr 2012 for managing Software Updates:
    http://ccmexec.com/2012/08/top-11-reasons-why-you-should-use-configmgr-2012-for-managing-software-updates/
    Jason | http://blog.configmgrftw.com | @jasonsandys

  • Need help!! How to use super in equals() method and makeCopy() method?

    This is my Name class:
    class Name {
        private String title;
        private String name;
        public Name(){
             title=" ";
             name=" ";
        public Name(String title){
             setTitle(title);
             name=" ";
        public Name(String title,String name){
             setTitle(title);
             setName(name);
        public void setTitle(String title){
             this.title=title;
        public String getTitle(){
             return title;
        public void setName(String name){
             this.name=name;
        public String getName(){
             return name;
        }   This is my Person Class
    class Person extends Name{
        private String address;
        private String tel;
        private String email;     
        public Person(){
             super();
             address=" ";
             tel=" ";
             email=" ";
        public Person(String name){
             super(name);
             address=" ";
             tel=" ";
             email=" ";
        public Person(String title,String name,String addressStr){
             super(title,name);
             setAddress(addressStr);
             tel=" ";
             email=" ";
        public Person(String title,String name,String addressStr,String phoneNum){
             super(title,name);
             setAddress(addressStr);
             setTel(phoneNum);
             email=" ";
        public Person(String title,String name,String addressStr,String phoneNum,String emailStr){
             super(title,name);
             setAddress(addressStr);
             setTel(phoneNum);
             setEmail(emailStr);
        public void setAddress(String add){
             address=add;
        public String getAddress(){
             return address;
        public void setTel(String telephone){
             tel=telephone;
        public String getTel(){
             return tel;
        public void setEmail(String emailAdd){
             email=emailAdd;
        public String getEmail(){
             return email;
         public boolean equals(Person inputRecords){
             boolean equalOrNot=false;
             if(inputRecords.super(getTitle()).equals(title))         //this is wrong
                  if(inputRecords.super(getName()).equals(name))           //this is wrong
                       if(inputRecords.getAddress().equals(address))
                            if(inputRecords.getTel().equals(tel))
                                 if(inputRecords.getEmail().equals(email))
                                      equalOrNot=true;
             return equalOrNot;   
            public void makeCopy(Person copyInto){
                 copyInto.super(setTitle(title));             //this is wrong
                 copyInto.super(setName(name));           //this is wrong
                 copyInto.setAddress(address);
                 copyInto.setTel(tel);
                 copyInto.setEmail(email);
    }How can I correct the wrong part?
    I don't understand how to use super in equals() method and makeCopy() method.

    Try something like this ...
    public boolean equals(Object other) {
      if (other==null || !(other instanceof Person)) return false;
      Person that = (Person) other;
      return getTitle().equals(that.getTitle())
          && getName().equals(that.getName())
          && getAddress().equals(that.getAddress())
          && getTel().equals(that.getTel())
          && getEmail().equals(that.getEmail())
    Notes:
    * This overrides Object's public boolean equals(Object other), which is (probably) what you meant.
    * You don't need to call "super.getWhatever" explicitly... just call "getWhatever" and let java workout where it's defined... this is better because if you then override getTitle() for example you don't need to change your equals method (which you would otherwise probably forget to do, which would probably have some interesting side effects.
    Cheers. Keith.

  • Time Machine or External Using Super Duper

    Apple is going to change the HD on my computer. I know little about Time Machine but I have been backing up my HD using Super Duper and a LaCie external HD. I think it's working out so far. That's what I have done before replacing the HD. So, when the new HD is installed, I can start up using the external and transfer files, i.e., mail, iTunes, Safari, Firefox etc. from the Application file on the external to the Application file on the computer with the new HD without any change in content. Any advantage using Time Machine over the way I intend to do it which should work. Any preferences or none?
    I have already posted in a different Topic but on this sight regarding another aspect of this operation.

    I generally can get Time Machine to work for a while. It takes way more effort to get it working and to keep it working than you'd expect for a Mac.
    The most recent event was when I mounted my new 500 GB Hitachi drive in a new Mercury Elite-AL Pro mini, connected with Firewire 800 to my Mac Mini Server. I formatted the drive, using the 7-pass erase in Disk Utility, with no errors. I used disk utility to verify the file system on the drive before I started using it with Time Machine.
    I configure Time Machine to use that new drive, and it starts up, but pukes fairly quickly. I Googled the error messages, and found lots of other people running into the same error.
    First off, the disk would not unmount. Had to force unmount it.
    Used Disk Utility to Repair the file system. It encountered no errors. So, then I used Disk Warrior to rebuild the directory structure on the disk. It found some things that it corrected. Since then, Time Machine has been working on that disk without further errors (overnight).
    How many Apple customers are going to want to deal with force unmounts, running disk utility and disk warrior to tickle Time Machine back into working?
    These are my log entries from the most recent Time Machine errors:
    Dec 30 09:42:13 MacMini com.apple.backupd[2388]: Starting standard backup
    Dec 30 09:42:13 MacMini com.apple.backupd[2388]: Backing up to: /Volumes/Backups/Backups.backupdbDec 30 09:42:13 MacMini com.apple.backupd[2388]: Detected system migration from:
    /Volumes/Christopher-J-Shakers-Mac.localDec 30 09:42:17 MacMini com.apple.backupd[2388]: Backup content size: 406.7 GB excluded items size: 34.0 GB for volume MacMini
    Dec 30 09:42:17 MacMini com.apple.backupd[2388]: No pre-backup thinning needed: 447.22 GB requested (including padding), 465.02 GB availableDec 30 09:42:17 MacMini com.apple.backupd[2388]: Waiting for index to be ready (
    101)Dec 30 09:42:17 MacMini mds[42]: (Normal) DiskStore: Creating index for /Volumes
    /Backups/Backups.backupdbDec 30 09:42:30 MacMini ntpd[33]: time reset -0.559108 sDec 30 09:42:54 MacMini JollysFastVNC[898]: (00599870.0592)-[NetworkConnection disconnect] could not shut down writehandleDec 30 09:43:01 MacMini login[1339]: DEAD_PROCESS: 1339 ttys001
    Dec 30 09:58:09 MacMini ntpd[33]: time reset -0.483469 s
    Dec 30 10:00:34 MacMini kernel[0]: Dec 30 10:00:45: --- last message repeated 3 times ---Dec 30 10:00:45 MacMini com.apple.backupd[2388]: Error: (-36) SrcErr:NO Copying /Developer/Library/PrivateFrameworks/DTMessageQueueing.framework/Versions/A/DTM essageQueueing to /Volumes/Backups/Backups.backupdb/SNOWSERVER/2010-12-30-094033.
    inProgress/02385079-1749-4E5A-BC4F-93367E30B581/MacMini/Developer/Library/Privat
    eFrameworks/DTMessageQueueing.framework/Versions/ADec 30 10:00:45 MacMini com.apple.backupd[2388]: Stopping backup.Dec 30 10:00:45 MacMini com.apple.backupd[2388]: Error: (-8062) SrcErr:NO Copying /Developer/Library/PrivateFrameworks/DTMessageQueueing.framework/Versions/A/DTM essageQueueing to /Volumes/Backups/Backups.backupdb/SNOWSERVER/2010-12-30-09403
    3.inProgress/02385079-1749-4E5A-BC4F-93367E30B581/MacMini/Developer/Library/Priv ateFrameworks/DTMessageQueueing.framework/Versions/A
    Dec 30 10:00:45 MacMini com.apple.backupd[2388]: Copied 13388 files (10.5 GB) fr
    om volume MacMini.Dec 30 10:00:45 MacMini com.apple.backupd[2388]: Copy stage failed with error:11Dec 30 10:00:46 MacMini com.apple.backupd[2388]: Error: (22) setxattr for key:co
    m.apple.backupd.ModelID path:/Volumes/Backups/Backups.backupdb/SNOWSERVER size:1
    0Dec 30 10:00:51 MacMini com.apple.backupd[2388]: Backup failed with error: 11Dec 30 10:06:19 MacMini mds[42]: (/Volumes/Backups/.Spotlight-V100/Store-V1/Stores/A3D115A8-4546-4A3B-B36E-59440 4EEA098)(Error) IndexCI in ci_ftruncate:ftruncat
    e(34 /Volumes/Backups/.Spotlight-V100/Store-V1/Stores/A3D115A8-4546-4A3B-B36E-594404 EEA098/live.0.indexDirectory, 16448) error:22Dec 30 10:06:19 MacMini mds[42]: (/Volumes/Backups/.Spotlight-V100/Store-V1/Stor
    es/A3D115A8-4546-4A3B-B36E-594404EEA098)(Error) IndexCI in expandMap:ftruncate err: 22
    Here is another one:
    Dec 30 10:06:20 MacMini mds[42]: (Normal) DiskStore: Creating index for /Volumes/Backups/Backups.backupdb
    Dec 30 10:14:12 MacMini ntpd[33]: time reset -0.496024 s
    Dec 30 10:29:48 MacMini ntpd[33]: time reset -0.481983 s
    Dec 30 10:42:31 MacMini com.apple.backupd[2388]: Starting standard backup
    Dec 30 10:42:31 MacMini com.apple.backupd[2388]: Backing up to: /Volumes/Backups/Backups.backupdb
    Dec 30 10:42:35 MacMini com.apple.backupd[2388]: Error: (22) setxattr for key:com.apple.backupd.ModelID path:/Volumes/Backups/Backups.backupdb/SNOWSERVER size:10
    Dec 30 10:42:35 MacMini com.apple.backupd[2388]: Detected system migration from: /Volumes/Christopher-J-Shakers-Mac.local
    Dec 30 10:42:37 MacMini com.apple.backupd[2388]: Failed to create progress log file at path:/Volumes/Backups/Backups.backupdb/SNOWSERVER/2010-12-30-094033.inProgress/ .Backup.315427357.871281.log.
    Dec 30 10:42:37 MacMini com.apple.backupd[2388]: Error: (-50) Creating directory 61478D74-6407-4DBA-A98D-8A20EC6F2140
    Dec 30 10:42:37 MacMini com.apple.backupd[2388]: Failed to make snapshot.
    Dec 30 10:42:37 MacMini com.apple.backupd[2388]: Error: (22) setxattr for key:com.apple.backupd.ModelID path:/Volumes/Backups/Backups.backupdb/SNOWSERVER size:1
    0Dec 30 10:42:42 MacMini com.apple.backupd[2388]: Backup failed with error: 2
    So far, it has been running ok on that disk since I force unmounted it and used disk warrior to rebuild its directory structure.
    While I was visiting my sister-in-law over Christmas, I had to resurrect Time Machine on my old PowerMac dual G5 I gave her. It's backing up to an internal SATA drive that I previously tested quite extensively. I had to use Disk Warrior to rebuild the directory structure on that disk as well to get Time Machine working again.
    It seems to me that time machine, or the device drivers it relies on, needs some work.
    Chris Shaker

  • How to use super.finalize method?

    Hi,
    pls guide how to use super.finalise ( ) method ?
    Regards,
    Pavani

    http://www.janeg.ca/scjp/gc/finalize.html
    Armin

  • Issue using Super LOV within Skillbuilders Modal page

    Hi,
    I have an app that has an Interactive Report which opens a form using the Skillbuilders Modal page when you click Create button. Within the Modal Page I have a few items that are using the Skillbuilders Super LOV. It all initially works great but when my validations fire and there are any errors displayed, the Super LOVs stop working. So it won't allow user to search using the LOV.
    I have an example here: http://apex.oracle.com/pls/apex/f?p=70422
    Any help would be appreciated.
    Apex 4.2.0, 11g
    thanks,
    Spaa124

    I am using Firefox 17.0.6.
    It works fine in Chrome

  • Error when using super admin account to migrate from Communigate Pro to exchange 2013

    Hi everyone,
    We are facing issues to migrate mails from communigate pro to exchange 2013 using 'MigrateIMAP.pl' tool. Communigate pro has a super-admin account which can retrieve the mails from any mailbox but when sending to Exchange 2013, there is no such super-admin
    account. I have created a user account granting it full access to all databases using the following:
    Get-MailboxDatabase -identity “mailbox name” | Add-ADPermission -user <account name> -AccessRights GenericAll
    Get-mailbox | Add-MailboxPermission -User <account name> -AccessRights FullAccess -InheritanceType All
    The tool uses the following command: (x.x.x.x is for server IPs & mytestlist contains user accounts to be migrated)
    ./migrateIMAP.pl -d -I -U -s 100 -L mylog7 -e superadmin:password\<i -S x.x.x.x -f
    exchangeadmin:password -D x.x.x.x -i mytestlist
    The IMAP4 logs shows the following error:
    2014-02-04T13:32:37.699Z,0000000000000579,1,x.x.x.x:143,x.x.x.x:47688,,1,65,34,authenticate,PLAIN cmJhbGxjaGFuZAByYmFsbGNoYW5kAEwwZ09uQDEyMw==,"R=""1 BAD Command Argument Error. 12"""
    Anyone, please help me out, i've spent a whole week trying to solve this. Thanks in advance

    I would suggest you go for third party tool.
    One such tool is CodeTwo, it does the job and very cheap. It will get the job done is ziffy
    http://www.codetwo.com/exchange-migration/
    Cheers,
    Gulab Prasad
    Technology Consultant
    Blog:
    http://www.exchangeranger.com    Twitter:
      LinkedIn:
       Check out CodeTwo’s tools for Exchange admins
    Note: Posts are provided “AS IS” without warranty of any kind, either expressed or implied, including but not limited to the implied warranties of merchantability and/or fitness for a particular purpose.

  • How to use Super as Meta only in Emacs?

    I'm using dwm, and running Emacs inside rxvt-unicode.
    Since dwm uses left Alt as Mod1 key, i'd like to leave this key only for this purpose. And i need the Super (left windows logo key) to behave as Meta, but only in Emacs. I found sevaral ideas in different forums, but non of them worked so far.
    I put this in my .emacs file:
    (setq x-super-keysym 'meta)
    (setq x-meta-keysym 'super)
    ...but the Emacs still percieve Alt as Meta, and does nothing with Super. Also i tried to modify xkbmap, but maybe i did it wrong? The original was like this:
    <LALT> = 64;
    <LWIN> = 133;
    <RWIN> = 134;
    <ALT> = 204;
    <META> = 205;
    key <LALT> { [ Alt_L, Meta_L ] };
    key <LWIN> { [ Super_L ] };
    modifier_map Mod1 { <LALT> };
    modifier_map Mod4 { <LWIN> };
    and i modified this two lines:
    key <LALT> { [ Alt_L ] };
    key <LWIN> { [ Meta_L ] };
    Maybe also possible to solve this problem by setting some urxvt related thing in the .Xdefaults?

    Hi,
    look testabap RFBIBLT0, which creates testfile
    A.

Maybe you are looking for

  • What can i do about the camera crashing on zte firefox open

    The camera app performed o k for about two weeks but when icon pressed now the screen goes black / blank on pressing the camera image a message saying "camera just crashed" appears tried reset but to no avail, should i send it back or is there a solu

  • Change After Effects Default Settings?

    Hello Smarties! My output settings from the render que are generally very similar...and completely different from the default settings.  Is there a way to CHANGE the default setting permanently? More detail is avaialble if you need it.

  • PPPD in Solaris 8

    Hi, Anyone knows what I have to do in Solaris 8 for using pppd 4.0? I have added the packege, but when I tried to run pppd, I got "kernel lacks ppp support"........... Thanks, BR. //Steven

  • Iphone 5.1.1 update

    ben iphone u pc ye bağladığımda 5.1 sürümü var güncellemek istermisiniz diyor benim arkadaşlarım güncellemiş ama telefon kilitlenmiş neden kilitleniyor ve o güncelleme yüklenmelimi?

  • Increment date paramters each run is not working

    hi all, i have a schedualed concurrent request that take a date prameter, i schedule the request to run daily with the option "increment date paramters each run" but it runs daily without incremeting the date what could be worng fadi