Can JButtons within applets copy to the clipboard?

camickr wrote in another thread:
As always I would like to see the Applet used that caused the problem. We should not have to create our own applet to test this. As we all know from the original problem you may be missing/adding code. And this posting is way off topic so any new SSCCE along with a new question should be posted in a new posting. If I understand the problem is that Ctrl+C works on a text area, but it doesn't work for a JButton that tries to copy text from the same text area?Not quite. Ctrl+C works within a JTable, copying selected row(s) to the clipboard. The problem is getting a JButton to copy arbitrary text to the clipboard, having nothing to do with a JTable.
Well post the simple 20 line applet that demonstates this.Sorry, it's more than 20 lines. I included three approaches, Jeanette's, Walter's, and mine.
* Created on 06.12.2010
* Jeanette, Walter, and Rich
import java.awt.EventQueue;
import java.awt.datatransfer.*;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.Toolkit;
import javax.swing.*;
public class ThreeCopyButtons  extends JApplet  implements ClipboardOwner
    final JLabel first  = new JLabel("Larry");
    final JLabel second = new JLabel("Moe");
    final JLabel third  = new JLabel("Curly");
    static ThreeCopyButtons cb3;
    public JPanel getContent() {
        JButton kleo = new JButton("Kleo");
     cb3 = this;
        TransferHandler handler = new TransferHandler() {
             * @inherited <p>
            @Override
            protected Transferable createTransferable(JComponent c) {
                return new StringSelection(cb3.toString());
             * @inherited <p>
            @Override
            public int getSourceActions(JComponent c) {
                return COPY;
        kleo.setTransferHandler(handler);
        kleo.setAction(TransferHandler.getCopyAction());
        kleo.setText("Kleo");  // gets overridden by "copy"
     AppletCopyButton walt = new AppletCopyButton("Walt", toString());
     JButton rich = new JButton("Rich");
     rich.addActionListener( new ActionListener() {
         public void actionPerformed(ActionEvent e) {
          StringSelection ss = new StringSelection(cb3.toString());
          Clipboard cb = Toolkit.getDefaultToolkit().getSystemClipboard();
          cb.setContents(ss, cb3);
        JComponent buttons = new JPanel();
        buttons.add(kleo);
        buttons.add(walt);
        buttons.add(rich);
        JPanel labels = new JPanel();
        labels.add(first);
        labels.add(second);
        labels.add(third);
        JPanel box = new JPanel();
        box.setLayout(new BoxLayout(box, BoxLayout.Y_AXIS));
     box.add(buttons);
     box.add(labels);
        return box;
    public String toString() {
     String s = first.getText() + "\t" +
             second.getText() + "\t" +
             third.getText();
     return(s);
    // Empty method needed for implementation of the ClipboardOwner interface.
    public void lostOwnership( Clipboard aClipboard, Transferable aContents) {
      //do nothing
    // method expected by applets
    public void init()
    { // the static block above should have already executed
     try {
         javax.swing.SwingUtilities.invokeAndWait(new Runnable() {
          public void run() {
              JPanel frame = getContent();
              setContentPane(frame);
     } catch (Exception e) {
         System.err.println("makeContent() failed to complete: " + e);
         e.printStackTrace();
    public static void main(String[] args) {
        EventQueue.invokeLater(new Runnable() {
            public void run() {
                JFrame frame = new JFrame("Test");
                frame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
                frame.add(new ThreeCopyButtons().getContent());
                frame.pack();
                frame.setLocationRelativeTo(null);
                frame.setVisible(true);
// Walter Laan
class AppletCopyButton extends JButton {
    public AppletCopyButton(String label, String text) {
        super(label);
     final String clip = text;
        setTransferHandler(new TransferHandler() {
            // @Override
            protected Transferable createTransferable(JComponent c) {
                return new StringSelection(clip);
            // @Override
            public int getSourceActions(JComponent c) {
                return COPY;
        addActionListener(new ActionListener() {
            // @Override
            public void actionPerformed(ActionEvent e) {
                Action copy = TransferHandler.getCopyAction();
                copy.actionPerformed(new ActionEvent(AppletCopyButton.this,
                        ActionEvent.ACTION_PERFORMED, "copy"));
}Here is a manifest file I call "3cbManifest.txt".
Main-Class: ThreeCopyButtonsMake sure you preserve the trailing carriage return.
]javac ThreeCopyButtons.java
]jar cvfm ThreeCopyButtons.jar 3cbManifest.txt *.class
]java -jar ThreeCopyButtons.jar
(The latter command simply tests, but it is running as program, not applet.)
And here is a short HTML file to run it as an applet. I call it "3cb.html".
<html>
<head><title>TestApplet</title></head>
<body>
<applet code="ThreeCopyButtons.class"
        archive="ThreeCopyButtons.jar"
        width="450" height="300">
Your browser is completely ignoring the <i>applet</i> tag!
</applet>
</body>
</html>The three buttons match our three approaches:
* Kleo -- Jeanette's approach
* Walt -- Walt's approach
* Rich -- my approach
All three methods work fine as a program, whether running directly as classes or from the .jar. None however work as an applet, from the HTML page.
To test either as applet or program:
1) open a text editor
2) type something short
3) Ctrl+C copy what you typed
4) click the Kleo button
5) in editor, click <enter> and Ctrl+V to paste
6) observe whether you see the text from step 3 or "Larry Moe Curly", with <tabs> between words.
7) repeat steps 3-6 for the Walt and Rich buttons
If you can figure out how to get the applet to bypass its security wall, great. We've found a bug in Java's applet security. If not, I am resigned to having the button in my actual app copy info to the table instead of to the clipboard.

RichF wrote:
You are right, but aw gee whiz. Have you ever written something that you think is pretty neat, then have to throw it away? hahahahahaha ... sure, happens nearly every day :-)
My class QEPanel, which handles each row of the statistics, is like that.yeah, have seen it: pretty nasty mixing of view and data <g>
Hmm, I wouldn't actually have to throw most of it away. :) correct ...
The JLabel <b>label</b>s would become the table column labels, and the other JLabels would become integers specifying column. except that I don't completely understand what you are after here (ehem: get your vocabulary right, sir) a clean separation would map the data-part of a QEPanel into a QEBean, with properties title (was: label), percentRed ... etc. Something like:
public class QEBean extends AbstractBean {
    private float sumRed, sumGrn, sumBlu;
    private float minDist = 9999999;
    private float maxDist = 0;
    private double sumDist;
    private int count;
    private int entries;
    private CountPerEntries countPerEntries;
    private String title;
    public QEBean(String title) {
        this.title = title;
    public void reset() {
        // do reset
        firePropertyChange(null, null, null);
    public void updateData(Color quantized, Color actual) {
        // do update internals
        firePropertyChange(null, null, null);
//------------ getters...
    public String getTitle() {
        return title;
    public float getPercentRed() {
        if (count == 0)
            return 0f;
        return sumRed / count;
    // more getters
}Then implement a specialized TableModel which knows about QEBean
public class QEBeanTableModel extends AbstractTableModel {
    List<QEBean> errors = new ArrayList<QEBean>();
    private PropertyChangeListener errorChangeListener;
    @Override
    public int getColumnCount() {
        return 7;
    @Override
    public int getRowCount() {
        return errors.size();
    @Override
    public Class<?> getColumnClass(int columnIndex) {
        switch (columnIndex) {
               // implement as appropriate
        return Object.class;
    @Override
    public Object getValueAt(int rowIndex, int columnIndex) {
        QEBean error = errors.get(rowIndex);
        switch (columnIndex) {
        case 0:
            return error.getTitle();
        case 1:
            return error.getPercentRed();
          // more as appropriate
        return null;
    public void addError(QEBean error) {
        int oldSize = getRowCount();
        error.addPropertyChangeListener(getPropertyChangeListener());
        errors.add(error);
        fireTableRowsInserted(oldSize, oldSize);
    public QEBean getError(int row) {
        return errors.get(row);
    private PropertyChangeListener getPropertyChangeListener() {
        if (errorChangeListener == null) {
            errorChangeListener = new PropertyChangeListener() {
                @Override
                public void propertyChange(PropertyChangeEvent evt) {
                    int row = errors.indexOf(evt.getSource());
                    fireTableRowsUpdated(row, row);
        return errorChangeListener;
    public void resetAll() {
        for (QEBean error : errors) {
            error.reset();
}Then use the model in HelpBox:
// init model and keep in field
     qErrors = new QEBeanTableModel();
     qErrors.addError(new QEBean("Hex QE"));
     qErrors.addError(new QEBean("Name QE"));
     qErrors.addError(new QEBean("Mismatch QE"));
     qErrors.addError(new QEBean("SearchAccuracy"));
        // can't resist - JXTable would make customization so much easier :-)
     // JXTable errorTable = new JXTable(qErrors);
     JTable errorTable = new JTable(qErrors);
     errorTable.setBackground(Color.BLACK);
     errorTable.setSelectionBackground(Color.BLACK);
     errorTable.setForeground(Color.WHITE);
     errorTable.setSelectionForeground(Color.WHITE);
     errorTable.setGridColor(Color.BLACK);
        // install renderers which produce an output similar to the labels
       panel.add(errorTable)
// in the update methods - update the QEBeans stored in the model
    public void updateQE(int which, String q, String a)
     Color     quantized = Color.black;
     Color     actual = Color.black;
     int     rgb[] = { 0, 0, 0 };
     NTC.getRGB(q, rgb);
     quantized = new Color(rgb[0], rgb[1], rgb[2]);
     NTC.getRGB(a, rgb);
     actual = new Color(rgb[0], rgb[1], rgb[2]);
     qErrors.getError(which -1).updateData(quantized, actual);
// similar in reset, updateEntriesThat's all and will give you an output very similar to the rows of individual labels, only more symetric.
The toString() method would go away because row toString() is already built into JTable.ehhh? No, not that I know of :-) The default renderer uses the toString of the cell value, the row is not involved.
>
Then you can implement the button's action to copy that error table's content to the clipboard. Better usability ensured, IMO.I'll just throw away the darn button. The colorTable doesn't have one, so why should the statisticsTable? sure, that's an option - the visual setup outlined above is for hiding the table-nature, if you want it expose, just do - no problem.
Cheers
Jeanette

Similar Messages

  • More DataFlavors copied to the clipboard/used in D&D in one step

    Hallo,
    For my GUI app. I would like to enable different types of information to copied to the clipboard.
    e.g. object type 1 - Document ID ( actual row's document ID from JTable ) - to copy document type
    object type 2 - string representation ( columns texts from JTable ) - to copy to excel
    I would like to keep them general, with different possible combinations
    among them ( up to 10 different object types ), according to some specs.
    Has anybody idea, if it is possible ? ( prefarably with 1.4 D&D interface ).
    Data are packed in createTransferable() call, but it allows just 1 format (?) ...
    Maybe I can use some 'envelope' format holding all possible information,
    but that idea doesn't looks nice for me :(
    Thanks for any hint.
    Tibor

    Hi !
    Thanks for your help. For drag & drop it's fine. System will ask for 'best' format as I expect.
    How is it with clipboard ? I had idea to copy table columns as a "text" flavor
    ( for paste into excel ) and user created flavor "id" with documentId inside.
    On paste I would take 'what's better' ( e.g. as a document reference better would be better my "id" flavor,
    because that information doesn't need to be in table cells inside ).
    Maybe I will have to use 'own' clipboard for these reasons.
    Tibor

  • How can I use applet to get the desktop image of client

    hi,I have a question to ask u.
    How can I use applet to get the desktop image of client? Now I develop a web application and want user in the client to get his current image of the screen.And then save as a picture of jpeg format ,then upload it to the server?
    I have done an application to get the screen image and do upload file to server in a servlet with the http protocal.

    Since the desktop image is on the client's local hard drive, you'll need to look at trusted applets first.

  • I accidentally deleted Garageband on my MacBook Pro, version 10.6.8.  The new version of Garageband is only compatible with 10.9 and above.  Is it possible to still get the older version?  OR, can I get another copy of the startup CD  for my computer

    I accidentally deleted GarageBand on my MacBook Pro, version 10.6.8.  The new version of GarageBand is only compatible with 10.9 and above.  Is it possible to still get the older version?  OR, can I get another copy of the startup CD that came with my computer so that I can reinstall GarageBand?

    The new version of GarageBand is only compatible with 10.9 and above.
    If your Mac can run MacOS X 10.6.8, it probably can be upgraded to Yosemite, if you don't have to stick to Snowleopard for other reasons.
    Is it possible to still get the older version?
    Amazon or eBay are still selling iLife '11 installer disks, and you could reinstall GarageBand from these DVDs. But it will be expensive.
    Have you checked your backups, if you can restore GarageBand from a backup?
    OR, can I get another copy of the startup CD that came with my computer so that I can reinstall GarageBand?
    Sometimes the AppleStore Support will replace missing installer CDs for a fee.

  • I want to replace my hard drive on my mac book pro. Can I get a copy of the os somewhere to put on a thumb drive to reinstall when I cahnge the drive?

    Can I get a copy of the os somewhere to put on a thumb drive to reinstall when I change the drive?

    If you clone the new HDD, the OS will be automatically installed on the new one.  Thus you really do not need a separate copy of the OS for the installation.  You may use Disk Utility>Restore or Carbon Copy Cloner.
    However if you insist on a OS copy, you may use these instructions:
    http://http://www.macworld.com/article/1165337/create_a_bootable_lion_install_dr ive_for_newer_macs.html
    Ciao.

  • CIC - Copy to the clipboard

    Hello,
    When user, on transaction CIC (l-shape), click on the ISU-Finder to find a BP by giving a premise number it should copy to the clipboard the BP when i click on the checkmark button. This part is build by SAP.
    I am trying to copy the Premise to the clipboard by using user-exit EXIT_SAPLEECIC_COMP00_001. I tried many attempts by using SAP function modules in order to create a Business Object Premise and add the element to the clipboard.
    I tried FMs such as :
    CALL FUNCTION 'CIC_EVENT_RAISE'
         EXPORTING
              event  = 'ADD_XTAINER_TO_BDD'
              p1     = xtain
         EXCEPTIONS
              OTHERS = 99.
    When i used this one, i got an item in the clipboard but it said : Uninitiliazed Business Process Unit.
    Does somebody have to code a 'Copy to Clipboard' for a businness object.
    Thanks

    I found byselft the solution. Here the step for those who have to do the same:
    Copy Premise to the clipboard (BDD)
      l_procobj-header = 'OBJH'.
      l_procobj-type   = 'SWO'.
    Create object Premises
      CALL FUNCTION 'SWO_CREATE'
           EXPORTING
                objtype = 'PREMISES'
                objkey  = l_key
           IMPORTING
                object  = l_procobj-handle
                return  = l_return.
      IF NOT l_return IS INITIAL.
        EXIT.
      ENDIF.
    Set Object ID
      CALL FUNCTION 'SWO_OBJECT_ID_SET'
           EXPORTING
                object    = l_procobj-handle
                objectkey = l_key
           IMPORTING
                return    = l_return
           EXCEPTIONS
                OTHERS    = 1.
      IF NOT l_return IS INITIAL.
        EXIT.
      ENDIF.
    Buffer Refresh
      CALL FUNCTION 'SWO_OBJECT_REFRESH'
           EXPORTING
                object       = l_procobj
           EXCEPTIONS
                error_create = 02.
      l_def-element      = '<MAINOBJ>'.
      l_def-editorder    = 2000 - 1.
      l_def-reftype      = 'O'.
      l_def-refobjtype   = 'PREMISES'.
    APPEND l_def TO li_def.
      CALL FUNCTION 'EWO_XTAINER_ELEMENT_SET'
           EXPORTING
                x_elemdef       = l_def
                x_value         = l_procobj
           CHANGING
                xy_xtainer      = l_desk_xtain
           EXCEPTIONS
                invalid_elemdef = 1
                internal_error  = 2
                OTHERS          = 3.
      CALL FUNCTION 'CIC_EVENT_RAISE'
           EXPORTING
                event  = 'ADD_XTAINER_TO_BDD'
                p1     = l_desk_xtain
           EXCEPTIONS
                OTHERS = 99.

  • Receive error: There was an error while copying to the Clipboard. An internal error occurred.

    I receive the message "There was an error while copying to the Clipboard. An internal error occurred." when I highlight anything and copy to the clipboard. I've searched and found others with the same issue, but they were either on an older OS, Acrobat ver, or their issue was intermittent. My issue always occurrs and I cannot copy anything to the clipboard.
    I'm running Win 7 Ultimate x64 SP1 and Acrobat Pro 9.4.4. Any suggestions would be appreciated.
    Thanks,
    RJ

    Hi MelSchultz,
    Thanks for your post. However, this Forum is meant to discuss
    issues related to acrobat.com and not acrobat. To post an issue
    related to acrobat please visit the acrobat forum :
    http://www.adobeforums.com/cgi-bin/webx/.3bbeda8b/
    You may also open a web case with Adobe Support. To do so,
    please visit the following link :
    https://www.adobe.com/cfusion/support/index.cfm?event=portal

  • Safari copy wipes the clipboard

    Anyone else have this in Safari 4 for Windows?
    I use Safari at work, often copying and pasting text; in Safari 4 I have noticed an issue that when I have text in the clipboard and use the keyboard shortcut to paste the text into a text box on a web page.
    Here's what happens, I first have some text I copied into the clipboard, when I accidentally hit Ctrl-C instead of Ctrl-V the clipboard gets wiped out as Safari copies a null amount of text into the clipboard, thus if I realize my mistake and try to do a Ctrl-V my previously copied text has disappeared from the clipboard and nothing pastes.
    Yeah I know I should learn to type better, ha ha, but we all occasionally make mistakes and it's infuriating when this happens. I am sure this was not the behaviour Safari 3 and also this issue does not occur in FireFox and I think most other browsers out there.
    I clean installed Safari on a new install of Windows on a virtual machine and was able to recreate the issue.
    Any thoughts?
    Phil
    Message was edited by: sixfootphil

    I found byselft the solution. Here the step for those who have to do the same:
    Copy Premise to the clipboard (BDD)
      l_procobj-header = 'OBJH'.
      l_procobj-type   = 'SWO'.
    Create object Premises
      CALL FUNCTION 'SWO_CREATE'
           EXPORTING
                objtype = 'PREMISES'
                objkey  = l_key
           IMPORTING
                object  = l_procobj-handle
                return  = l_return.
      IF NOT l_return IS INITIAL.
        EXIT.
      ENDIF.
    Set Object ID
      CALL FUNCTION 'SWO_OBJECT_ID_SET'
           EXPORTING
                object    = l_procobj-handle
                objectkey = l_key
           IMPORTING
                return    = l_return
           EXCEPTIONS
                OTHERS    = 1.
      IF NOT l_return IS INITIAL.
        EXIT.
      ENDIF.
    Buffer Refresh
      CALL FUNCTION 'SWO_OBJECT_REFRESH'
           EXPORTING
                object       = l_procobj
           EXCEPTIONS
                error_create = 02.
      l_def-element      = '<MAINOBJ>'.
      l_def-editorder    = 2000 - 1.
      l_def-reftype      = 'O'.
      l_def-refobjtype   = 'PREMISES'.
    APPEND l_def TO li_def.
      CALL FUNCTION 'EWO_XTAINER_ELEMENT_SET'
           EXPORTING
                x_elemdef       = l_def
                x_value         = l_procobj
           CHANGING
                xy_xtainer      = l_desk_xtain
           EXCEPTIONS
                invalid_elemdef = 1
                internal_error  = 2
                OTHERS          = 3.
      CALL FUNCTION 'CIC_EVENT_RAISE'
           EXPORTING
                event  = 'ADD_XTAINER_TO_BDD'
                p1     = l_desk_xtain
           EXCEPTIONS
                OTHERS = 99.

  • Where can I find a copy of the eula for Adobe Acrobat XI?

    Where can I find a copy of the eula for Adobe Acrobat XI?
    The eula does not come up for inspection when you install the software.

    http://www.adobe.com/legal/licenses-terms.html

  • Can I burn a copy of the downloaded recovery disk?

    can I burn a copy of the downloaded recovery disk?

    Yes, but it's better to burn the InstallESD.dmg that comes with the Install Mac OS X Lion.app. To burn the Recovery HD requires using Disk Utility to mount it. If DU can't see it, quit DU, run this command in the Terminal app:
    defaults write com.apple.diskutility DUDebugMenuEnabled 1
    then launch DU and select Show every partition from the Debug menu.

  • How do I retrieve/view content that I've copied to the clipboard at various times over the course of the evening ??

    Is it possible to look at different content I've copied to the clipboard at several times over the course of an hour or two. Note: I have NOT turned off my browser or restarted my computer.

    Nope, the Windows clipboard only save one item at a time. Copy something and the previous "copy" is gone. You would need a Windows program that saves multiple clipboard entries.

  • Can't copy to the clipboard in applet

    hi all,
    doing an applet application now, i figure out that when i want to copy a string to the system clipboard (i use the popup menu), JAVA console prompt out error message AccessDenied or if other case, it will prompt NoClassFound .getWindow(Unknow Source)*, this is only happen in Firefox but not IE (and i need it to work on Firefox). but in the other hand, i have another applet application where i use the button to copy the string into the clipboard in Firefox, it has no problem except ask me to enabled the "signed.applets.codebase_principal_support" value to true, then it successfully copied to the cliboard but not the popup menu applet, why?
    * this is when i didn't use java.awt.datatransfer.* but use JSObject
    anyone has idea? thanks. it seem a bit messy, i'll explain more to you if there is something miss out, thanks again

    Move off WEP to WPA or, preferably, to WPA2 (as recommended by Apple). WEP has been deprecated by the WiFi Alliance since 2004 as insecure (it can be cracked in seconds by any hacker).
    Note that each device on a network has a unique IP address but if your address starts with 169 then you did not get a valid IP address assigned to you by your router. If restarting the router did not cure the problem then you should check for a firmware update for your router.

  • When I close firefox "everything " is cleared! EXCEPT when I open it again and anything i have copied to the clipboard (paste icon) remains lit... I believe this can be a security breach because I clear everything when closing firefox !!

    I have my settings to clear everything when I close firefox ver 3.6.13. If I copy something to the clipboard, the Paste icon lights up so I can paste the text... which is normal.
    The problem is when I close the browser and everything is suppose to clear (history, etc) the PASTE Icon still lights up for me to paste again.
    This can be a security breach because I want everything cleared when closing the browser !!!
    The only way I can rid myself of this problem is to restart the computer... which clears the clipboard of the operatinging... which is absolutely normal as well.
    I should not have to restart the computer each time.
    Try It !!! type text in any box... then paste it by using the PASTE Icon
    CLEAR all your history, everything ... then close firefox
    Reopen the browser... and the PASTE Icon will light up

    I only had a few addons installed, I disabled Zone Alarm toolbar, View Source Chart 3.01. I also had 5 separate java console updates/addons, and I uninstalled all but the latest java console 6.0.21. All I have now is Roboform 6.9.98, Firebug 1.5.4, Java console 6.0.21, Java quick starter 1.0. So far, so good, the problem has not occurred today. I hope this is it, I will be more sure after a few days problem free. Thanks for the info.

  • Copying to the clipboard is disabled. How can I fix this?

    WHen I am inside any application in Firefox (oe Google Apps, etc.) ANY application, I receive the following message when trying to use Edit, Copy
    Your browser does not allow access to your computer's clipboard.
    Instead, please use Ctrl-C for Copy, Ctrl-X for Cut and
    Ctrl-V for Paste, or use your browser's Edit menu.

    You are probably better off / much safer using copy and paste yourself
    But this is what is referred to
    * Security Policies - MozillaZine Knowledge Base <br>http://kb.mozillazine.org/Security_Policies
    * Granting JavaScript access to the clipboard - MozillaZine Knowledge Base<br> http://kb.mozillazine.org/Granting_JavaScript_access_to_the_clipboard

  • I cannot copy off the clipboard. I move the copy icon, get support.mozilla instead

    I can't paste from the clipboard. I move the paste icon to the toolbar and get support.mozilla instead. If I clip on this the paste function is not available

    I have my Time Capsule set up and can access it remotely, however, I cannot copy anything to the TC disk from my desktop. 
    Sorry but do you mean you cannot copy from local LAN to the TC, or from a remote location to the TC.
    What OS is on the computer.. it is a common issue with Mavericks.. where the networking giants have gone back to tin cans and string.
    I recommend a full reset of the TC to factory.
    Change all naming to SMB type.. it is so important now with Mavericks which is SMB by default.
    SMB uses names that are short.. <10characters is great.. keep it less than 20 max.
    No spaces.
    Pure alphanumeric.
    ie when apple setup suggests a name like
    Fred Blog's Airport Time Capsule.. it breaks every rule. It is over long.. has spaces and illegal character.
    So change all names.. eg TCgen4 (replace number with actual Gen if you like.. or just name it TC).
    Call wireless TCwifi (or TC24ghz and TC5ghz if you want separate naming for the bands).
    Then in finder.. use Go, Connect to server.
    Type in
    AFP://TCname  (where TCname is whatever you have now named your TC compliant with the rules above)
    If that fails
    AFP://TCname.local (Mavericks gets domain name issues.. it needs the domain and is local by default.)
    or
    AFP://TCIPaddress. eg AFP://10.0.1.1 which is router address by default.. only use if the ip is static.
    The computer will hopefully discover the resource and now you can type in your password.. public by default.. or whatever you changed it to.
    Now try copying files to the TC.

Maybe you are looking for

  • Pdf not displayed correctly in preview

    We have a new A) scanner (colortrac Ci40) and when we scan a pdf it is displayed in preview as if it is all wrinkled up. Only in prewiew and if imorted in vectorworks. (on both OSX 10.5 and 10.6) The same problem appears on a iPad. It is not displaye

  • I used to be able to get Colorsync options for my HP 3550n printer

    Hi, I learned on this group how to print in black and white. Now I can't. Colorsync shows me only: color conversion - "standard (checkmark)" or "in printer" (grayed) quartz filter - none (checkmark/grayed) Don't know what the problem is. But it's alw

  • Patch for Jahia 3.1 to work WebLogic Server 6.1 with Struts is available!!!

    I have a major patch for Jahia 3.1 server to work on WebLogic Server           6.1 (so far I've tested it against WebLogic Server 6.1 sp3 & sp4, I'm           sure it will work on sp1 and sp2 as well though). We do have complete           support for

  • Content DB 10.2 install on Linux

    Hi there, I was wondering if anyone else has Content DB 10.2 installed alongside with iAS 10.2.0.2. The process of installing the software went fine, I had to manually resolve some pre-requisites on the DB side but eventually I got it working. Howeve

  • How to fix three monitors after installing latest Mac update?

    I installed the latest release, OS X 10.9.3 (13D65), and now my three monitors are all messed up.  I tried going into sytem preferences and looking at the monitor set up there, but nothing helped.  When I move my mouse, I never know where it is going