Can't post to Mircrosoft IIS machines

Hi I am using the following code from a tutorial. But it blows up every time after a second POST. But I can post as many times as I need to a linux box or any other UNIX boxes I can think of.
What is going on? Why does it not work with microsoft products?
* HttpMidlet.java
* Created on October 23, 2001, 11:19 AM
import javax.microedition.midlet.*;
import javax.microedition.lcdui.*;
import javax.microedition.io.*;
import java.io.*;
* @author kgabhart
* @version
public class HttpMidlet extends MIDlet implements CommandListener {
// A default URL is used. User can change it from the GUI
private static String defaultURL = "http://www.microsoft.com";
// Main MIDP display
private Display myDisplay = null;
// GUI component for entering a URL
private Form requestScreen;
private TextField requestField;
// GUI component for submitting request
private List list;
private String[] menuItems;
// GUI component for displaying server responses
private Form resultScreen;
private StringItem resultField;
// the "send" button used on requestScreen
Command sendCommand;
// the "exit" button used on the requestScreen
Command exitCommand;
// the "back" button used on resultScreen
Command backCommand;
public HttpMidlet(){
// initialize the GUI components
myDisplay = Display.getDisplay( this );
sendCommand = new Command( "SEND", Command.OK, 1 );
exitCommand = new Command( "EXIT", Command.OK, 1 );
backCommand = new Command( "BACK", Command.OK, 1 );
// display the request URL
requestScreen = new Form( "Type in a URL:" );
requestField = new TextField( null, defaultURL, 100, TextField.URL );
requestScreen.append( requestField );
requestScreen.addCommand( sendCommand );
requestScreen.addCommand( exitCommand );
requestScreen.setCommandListener( this );
// select the HTTP request method desired
menuItems = new String[] {"GET Request", "POST Request"};
list = new List( "Select an HTTP method:", List.IMPLICIT, menuItems, null );
list.setCommandListener( this );
// display the message received from server
resultScreen = new Form( "Server Response:" );
resultScreen.addCommand( backCommand );
resultScreen.setCommandListener( this );
}//end HttpMidlet()
public void startApp() {
myDisplay.setCurrent( requestScreen );
}//end startApp()
public void commandAction( Command com, Displayable disp ) {
// when user clicks on the "send" button
if ( com == sendCommand ) {
myDisplay.setCurrent( list );
} else if ( com == backCommand ) {
// do it all over again
requestField.setString( defaultURL );
myDisplay.setCurrent( requestScreen );
} else if ( com == exitCommand ) {
destroyApp( true );
notifyDestroyed();
}//end if ( com == sendCommand )
if ( disp == list && com == List.SELECT_COMMAND ) {
String result;
if ( list.getSelectedIndex() == 0 ) { // send a GET request to server
System.out.println("getHTTP");
result = sendHttpGet( requestField.getString() );
else // send a POST request to server
System.out.println("postHTTP");
result = sendHttpPost( requestField.getString() );
resultField = new StringItem( null, result );
resultScreen.append( resultField );
myDisplay.setCurrent( resultScreen );
}//end if ( dis == list && com == List.SELECT_COMMAND )
}//end commandAction( Command, Displayable )
private String sendHttpGet( String url )
HttpConnection hcon = null;
DataInputStream dis = null;
StringBuffer responseMessage = new StringBuffer();
try {
// a standard HttpConnection with READ access
hcon = ( HttpConnection )Connector.open( url );
// obtain a DataInputStream from the HttpConnection
dis = new DataInputStream( hcon.openInputStream() );
// retrieve the response from the server
int ch;
while ( ( ch = dis.read() ) != -1 ) {
responseMessage.append( (char) ch );
}//end while ( ( ch = dis.read() ) != -1 )
catch( Exception e )
e.printStackTrace();
responseMessage.append( "ERROR" );
} finally {
try {
if ( hcon != null ) hcon.close();
if ( dis != null ) dis.close();
} catch ( IOException ioe ) {
ioe.printStackTrace();
}//end try/catch
}//end try/catch/finally
return responseMessage.toString();
}//end sendHttpGet( String )
private String sendHttpPost( String url )
HttpConnection hcon = null;
DataInputStream dis = null;
OutputStream os = null;
StringBuffer responseMessage = new StringBuffer();
// the request body
String requeststring = "This is a POST.";
try {
hcon = (HttpConnection)Connector.open(url);
byte [] data = "TextField=Hello&TextField2=Hello2&Submit=Submit".getBytes ();
hcon.setRequestMethod(HttpConnection.POST);
hcon.setRequestProperty("User-Agent","Profile/MIDP-1.0 Configuration/CLDC-1.0");
hcon.setRequestProperty("Content-Language","en-US");
hcon.setRequestProperty("Content-Type","application/x-www-form-urlencoded");
os = hcon.openOutputStream ();
os.write (data);
os.close ();
//conn.close ();
// obtain DataInputStream for receiving server response
dis = new DataInputStream( hcon.openInputStream() );
// retrieve the response from server
int ch;
while( ( ch = dis.read() ) != -1 ) {
responseMessage.append( (char)ch );
}//end while( ( ch = dis.read() ) != -1 ) {
catch( Exception e )
e.printStackTrace();
responseMessage.append( "ERROR" );
finally {
// free up i/o streams and http connection
try {
if( hcon != null ) hcon.close();
if( dis != null ) dis.close();
if( os != null ) os.close();
} catch ( IOException ioe ) {
ioe.printStackTrace();
}//end try/catch
}//end try/catch/finally
return responseMessage.toString();
}//end sendHttpPost( String )
private String xsendHttpPost( String url )
HttpConnection hcon = null;
DataInputStream dis = null;
DataOutputStream dos = null;
StringBuffer responseMessage = new StringBuffer();
// the request body
String requeststring = "This is a POST.";
try {
// an HttpConnection with both read and write access
hcon = ( HttpConnection )Connector.open( url, Connector.READ_WRITE );
// set the request method to POST
hcon.setRequestMethod( HttpConnection.POST );
//hcon.setRequestProperty("Content-length", ""+ requeststring.length() );
hcon.setRequestProperty("Content-type","application/x-www-form-urlencoded");
//hcon.setRequestProperty("Content-language", "en-US"); // should be config.
//hcon.setRequestProperty("Accept", "text/xml");
//hcon.setRequestProperty("Connection", "close");
// obtain DataOutputStream for sending the request string
dos = hcon.openDataOutputStream();
byte[] request_body = requeststring.getBytes();
// send request string to server
for( int i = 0; i < request_body.length; i++ ) {
dos.writeByte( request_body[i] );
}//end for( int i = 0; i < request_body.length; i++ )
// obtain DataInputStream for receiving server response
dis = new DataInputStream( hcon.openInputStream() );
// retrieve the response from server
int ch;
while( ( ch = dis.read() ) != -1 ) {
responseMessage.append( (char)ch );
}//end while( ( ch = dis.read() ) != -1 ) {
catch( Exception e )
e.printStackTrace();
responseMessage.append( "ERROR" );
finally {
// free up i/o streams and http connection
try {
if( hcon != null ) hcon.close();
if( dis != null ) dis.close();
if( dos != null ) dos.close();
} catch ( IOException ioe ) {
ioe.printStackTrace();
}//end try/catch
}//end try/catch/finally
return responseMessage.toString();
}//end sendHttpPost( String )
public void pauseApp() {
}//end pauseApp()
public void destroyApp( boolean unconditional ) {
// help Garbage Collector
myDisplay = null;
requestScreen = null;
requestField = null;
resultScreen = null;
resultField = null;
}//end destroyApp( boolean )
}//end HttpMidlet

Modified your code on the line:
dos.writeByte( request_body );
to:
dos.write( request_body );
and it works with 2 Microsoft IIs servers. I don't know if you ever got this working or if you went to a GET method but we were having major difficulties with IIs servers as well. I figured late was better than never for a response.

Similar Messages

  • Can't fully restore my Time Machine/Time Capsule Backup to my newly-wiped SSD/HDD

    On receiving my leased, Bootcamp-enabled MacBook Pro, I saw that there were no installation discs for Windows or OSX, and that there were 2 partitions (or so I thought) for Mac and Windows: 375GB each. As I produce music using software in both OSs, I wanted to create a 185GB FAT-32 partition to store my sound samples, projects etc. I attempted to create this partition by resizing (halving) my Bootcamp partition in OSX Disc Utility. The first time I attempted it, resizing was possible, but after the new partition was created, I had problems booting and so had to edit my GPT in order to boot again. Once ‘fixed,’ (by deleting the new partition) I couldn’t resize the Bootcamp partition to fill the 185GB gap, and that 185GB was ‘lost.’ The Bootcamp partition was 375GB but its used space + free space added up to 190GB
    So the other day, I tried to follow what I thought was a more logical approach, which I was *sure* would work. My plan was to:
    Use Windows Backup (and/or Clonezilla, or Disk Utility) to store an image of my Windows partition.
    Uninstall/wipe the Windows partition using BootCamp Assistant, creating 1 big OSX partition
    Use BootCamp Assistant to re-partition the HDD for Windows, OSX and ‘shared,’ and then re-install Windows, leaving 175GB for shared music production files
    Restore the image/backups (approx 70GB) and carry on as before.
    During the process, I deemed that this wasn't possible on my system for a variety of reasons: My laptop already had 4 partitions (Windows Recovery, Bootcamp/Windows, Mac Recovery HD, and Mac) and my understanding is that the MBR of my SSD only supports 4 partitions in its Bootcamp + OSX-compatible state. I have never got this '5 partition' strategy working.
    I was unable to restore my Windows partition after re-installing Windows via Bootcamp. As a solution, I then decided to wipe the OSX partition (at that point the only 'visible' partition on the disk) and in-place re-install Mac OS X, with a view to installing Windows after OSX.
    Once I wiped my hard drive, however, restoring my files and settings, didn't work as expected. Time Machine backups etc were inaccessible after a normal re-install. Re-installing with file transfer at setup froze at the 10% mark, with an estimated 200 hrs to go. The option to try a full-system restore via Time Machine is greyed-out. Even the Migration Assistant failed at a similar point. On the occasions where it claimed to complete successful (most recent situation) it seemed to neglect files, etc., and I'm now stuck at this stage.
    I can view files/backups in Time Machine but I can't completely restore my computer to the state it was on 18th May...and 11 days without a fully-functioning laptop is really annoying. I wasn't able to ‘clean’ *or* ‘in-place’ re-install OSX using my existing settings and so I'm frustrated that Time Machine isn't a flawless backup & restore process. Migration Assistant didn’t transfer everything. Can I get things back to the way they were?
    Things that haven’t restored correctly:
    None of my icon customisations at the top of the screen were there (DropBox, Evernote, Google Drive, Kuvva, the way battery icon was displayed
    Safari: Top Sites, History, Plugins
    Logic Pro: Downloaded sounds, presets (10+GB), recent items, plugin settings/AU manager
    Mail: Settings (and I’m assuming, the downloaded/cached mail: 7GB)
    Trash can: Empty
    All recent item lists apart from cloud-based services like Evernote, Notes, contacts
    iTunes library
    Dock view and settings
    Settings for most programs
    And I'm sure there are more!

    Thanks Pondini; I'd hoped you'd reply. I'm still getting used to this tech, no can't even quote here.
    Pondini wrote:
    AkaraE wrote:
    Time Machine backups etc were inaccessible after a normal re-install.
    If you mean you installed OSX and created a user account, then couldn't find the backups, that's because they're treated as being from a different disk, until you either transfer your data or do a manual "associatedisk".  See the blue box in Time Machine - Frequently Asked Question #19 for details.
    Yet to try the associatedisk...didn't realise this was possible until reading your guides. The explanation makes sense now. On installing OSX it said transfers were possible after installation, so I put off transferring as the first 'restore' had frozen on 10%, thinking I'd do it afterwards.
    Re-installing with file transfer at setup froze at the 10% mark, with an estimated 200 hrs to go
    That sounds like damaged/corrupted backups. Try to Repair them, per #A5 in Time Machine - Troubleshooting.
    Yet to try...didn't realise this was possible until reading your guides
    The option to try a full-system restore via Time Machine is greyed-out.
    You mean, on the Mac OS X Utilities menu on the Recovery HD?  I've never heard of that.  That should always be selectable, so you can specify where the backups you want are located.  Nothing happens when you click it?  Can you click the other options there?
    Even the Migration Assistant failed at a similar point. On the occasions where it claimed to complete successful (most recent situation) it seemed to neglect files, etc., and I'm now stuck at this stage.
    Also sounds like directory or file problems on the backups.
    This is just when I go into Time Machine/Star Wars. I can't just go to the latest backup and click "Restore" (which I assume would just restore my whole computer/HDD, although I have no experience in this). I can only select files and restore them individually. 
    Time Machine isn't a flawless backup & restore process.
    There has never been any such thing.
    I bought into the Time Machine 'hype' and thought it was an easy and reliable tool, but was a lot more difficult to do a full restore than I thought. 
    Trash can: Empty
    Correct.  Time Machine (like most backup apps) don't back up trash.
    All the rest should have been backed-up and restored.  Do you see them in the backups?  What, if anything, was excluded from being backed-up?
    As a non-native Mac user, I'm not sure where all these things are stored...perhaps in Library? I think that not having the full hard-drive just restore annoyed me...I felt that backing up my whole hard drive every hour should've allowed me to restore everything to as it was without a hitch, and when it didn't work I just tried a few things before posting on here.
    If repairing the backups finds and fixes things, you might want to try again.
    Gonna try now
    If not, and if you can see the missing items via the Time Machine browser (the "Star Wars" display), you should be able to restore them selectively.

  • Can't see one windows 7 machine on my network

    I have one iMac and several Windows machines at home. My iMac can see my 2 Windows XP machines with no problem. My iMac can eventually connect to 2 of my Windows 7 machines. My iMac cannot connect to my other Windows 7 machine since I upgraded to Mountain Lion earlier today. I need this connection to back upmy iMac. With Lion, I had some occasional connection problems but with Mountain Lion, I haven't been able to connect to that machine at all yet. As a side note, I never had any problem connecting to any of my Windows matches when I was running Snow Leopard.

    You don't mention anything about the Sharing preferences you have set up on both the iMac and Windows box. Sharing works perfectly on my iMac and MBA  both with Mt. Lion so it's not a Mt. Lion issue. I'd recommend posting more about the settings you have set up.

  • Can not post comment to a comment at FB

    When I use iPad ( I bought about 2  months age)as my machine to open Face Book and I can do most of the normal functions as my iphone, but I can write comment to friends' comment but can not post. I can have my "status", "photo" only can not post comment, Why and how to make it work?

    Thanks for the info.
    Firstly, make sure you are not using the split keyboard. There is a bug in the app which disables the send button. Make sure it is the full keyboard you are using. (Pinch the split keyboard to rejoin it).
    If you still have no luck, then use the website, or an alternative app. They are generally better than Facebook's own offering.
    Let me know if this works, or if you have any other issues,
    Nathan

  • My iTunes in MacBook is not working i do received error You can not post a blank message. Please type your message and try again. saying I don't  have  permission to media folder could help me

    You can not post a blank message. Please type your message and try again.

    some additional info about the clean install, I did not Migrate any data over from a Time Machine, I started fresh. Perhaps this could be my issue. Do I need to Migrate over the User account in order to have access to my old data?

  • POST problems with IIS Plugin

    I am using the latest version of the IIS plugin for Weblogic (build: Apr 14 2002
    17:53:13)
    It seems that the ISAPI Filter (iisforward.dll) does not forward all http POSTs
    - however it does seem to work fine for http GET's.
    We have configured the plugin (you will see the attached debug dump) to forward
    all calls on "/weblogic". If we perform http GET's on such a URL (using IE) everything
    works fine - and the call is routed to Weblogic.
    When we make a SOAP call using our C++ client, (a http POST) through the IIS plugin
    we get a 405 error. If we artificially add the ".wlforward" extension on the context
    URL (in our C++ client ) then it is forwarded correctly to weblogic by the Application
    Extension (iisproxy.dll) - so the problem lies with the ISAPI filter. Also, if
    we remove the ISAPI filter from IIS, we get the same 405 error - which confirms
    that the ISAPI filter is not catching the POST's.
    More puzzling, however, is that the SOAP requests from our Java SOAP client (using
    WLS SOAP) works fine.
    The problem must have something to do with the difference in structure of the
    POSTS.
    Normally, I would attach the logs/config in a zip file - but that seems broken
    at the moment. Instead they are all pasted in below.....
    -Nick
    Successful POST http header:
    POST /weblogic/webservice/BondInstrumentService HTTP/1.0
    Host: localhost:8080
    Connection: Keep-Alive
    Content-Length: 1965
    Content-Type: text/xml; charset=utf-8
    SOAPAction: ""
    Authorization: Basic c3lzdGVtOnBhc3N3b3Jk
    UNSuccessful POST http header:
    POST /weblogic/webservice/BondInstrumentService HTTP/1.0
    SOAPAction: ""
    Content-Type: text/xml
    Connection: close
    Content-Length: 1670
    IIS 405 Response:
    HTTP/1.1 405 Method not allowed
    Server: Microsoft-IIS/5.0
    Date: Thu, 25 Jul 2002 14:28:52 GMT
    Allow: OPTIONS, TRACE, GET, HEAD
    Content-Length: 3126
    Content-Type: text/html
    IIS Plugin Config:
    Properties loaded from path: 'D:\Inetpub\WeblogicPlugin\iisproxy.ini'
    Query String: '__WebLogicBridgeConfig'
    General Server List:
    Host: 'localhost' Port: 7001 Status: OK
    ConnectRetrySecs: '2'
    ConnectTimeoutSecs: '10'
    CookieName: 'JSESSIONID'
    Debug: '12'
    DebugConfigInfo: 'ON'
    DefaultFileName: ''
    DynamicServerList: 'ON'
    ErrorPage: ''
    FileCaching: 'ON'
    HungServerRecoverSecs: '300'
    Idempotent: 'OFF'
    KeepAliveEnabled: 'ON'
    KeepAliveSecs: '30'
    PathPrepend: ''
    PathTrim: '/weblogic'
    MaxSkips: '10'
    MaxPostSize: '-1'
    SecureProxy: 'OFF'
    WLLogFile: 'D:\Inetpub\WeblogicPlugin\iisPlugin.log'
    WLProxySSL: 'OFF'
    Runtime statistics:
    requests: 1
    successful requests: 1
    Exception objects created: 0
    Exception Objects deleted: 0
    URL Objects created: 1
    URL Objects deleted: 1
    connections recycled: 0
    UNKNOWN_ERROR_CODE exceptions: 0
    CONNECTION_REFUSED exceptions: 0
    CONNECTION_TIMEOUT exceptions: 0
    READ_ERROR exceptions: 0
    WRITE_ERROR exceptions: 0
    READ_TIMEOUT exceptions: 0
    WRITE_TIMEOUT exceptions: 0
    UNKNOWN_HOST exceptions: 0
    NO_RESOURCES exceptions: 0
    PROTOCOL_ERROR exceptions: 0
    CONFIG_ERROR exceptions: 0
    FAILOVER_REQUIRED exceptions: 0
    Build date/time: Apr 14 2002 17:53:13

    Doh. :< I hope you can get someone here from the BEA guys/gals to help out.
    I'm outside of my league at this point. Sorry about that. Good luck.
    "Nick Minutello" <[email protected]> wrote
    in message news:[email protected]...
    >
    >
    Thanks.
    Sadly, my IIS configuration is correct. The plugin seems to work fine if Ijust
    use my browser (http GET) for either forward-by-extension (*.jsp) orforward-by-path
    (/weblogic/*).
    However, there seems to be a problem when I use SOAP (http POST). For somereason,
    when I use my C++ SOAP client (using WASP), then the ISAPI filter (the onethat
    generates the .wlforward on the URL) doesnt modify the URL - hence the403...
    If I use my java client.... everything is fine. Comparing the two httppackets,
    I dont see anything obviously wrong - but something is making the WLSplugin choke.
    >
    Cheers,
    Nick
    "PHenry" <[RemoveBeforeSending][email protected]> wrote:
    Howdy. I had a similar problem. I'm not a BEA support person, but maybe
    I
    might be able to help. If not, at least someone's listening. :>
    Did you add the .jsp AND the .wlforward in the path redirection under
    your
    web app in IIS? I read the instructions thoroughly (or so I thought),
    and I
    wasn't able to get the POST to work. :< But as I reread the
    instructions,
    I
    had put in the .jsp (is it under Home Directory, Configuration I think?),
    and I put in the ISAPI dll, but I didn't put in the .wlforward (in with
    the
    ..jsp). Once I did that, and restarted the box, all was good! :>
    That might help. And if not, at least one of the BEA people have one
    less
    thing to try. Good luck.
    "Nick Minutello" <[email protected]>
    wrote
    in message news:[email protected]...
    I am using the latest version of the IIS plugin for Weblogic (build:Apr
    14 2002
    17:53:13)
    It seems that the ISAPI Filter (iisforward.dll) does not forward allhttp
    POSTs
    - however it does seem to work fine for http GET's.
    We have configured the plugin (you will see the attached debug dump)to
    forward
    all calls on "/weblogic". If we perform http GET's on such a URL (usingIE) everything
    works fine - and the call is routed to Weblogic.
    When we make a SOAP call using our C++ client, (a http POST) throughthe
    IIS plugin
    we get a 405 error. If we artificially add the ".wlforward" extensionon
    the context
    URL (in our C++ client ) then it is forwarded correctly to weblogicby the
    Application
    Extension (iisproxy.dll) - so the problem lies with the ISAPI filter.Also, if
    we remove the ISAPI filter from IIS, we get the same 405 error -which
    confirms
    that the ISAPI filter is not catching the POST's.
    More puzzling, however, is that the SOAP requests from our Java SOAPclient (using
    WLS SOAP) works fine.
    The problem must have something to do with the difference in structureof
    the
    POSTS.
    Normally, I would attach the logs/config in a zip file - but that seemsbroken
    at the moment. Instead they are all pasted in below.....
    -Nick
    Successful POST http header:
    POST /weblogic/webservice/BondInstrumentService HTTP/1.0
    Host: localhost:8080
    Connection: Keep-Alive
    Content-Length: 1965
    Content-Type: text/xml; charset=utf-8
    SOAPAction: ""
    Authorization: Basic c3lzdGVtOnBhc3N3b3Jk
    UNSuccessful POST http header:
    POST /weblogic/webservice/BondInstrumentService HTTP/1.0
    SOAPAction: ""
    Content-Type: text/xml
    Connection: close
    Content-Length: 1670
    IIS 405 Response:
    HTTP/1.1 405 Method not allowed
    Server: Microsoft-IIS/5.0
    Date: Thu, 25 Jul 2002 14:28:52 GMT
    Allow: OPTIONS, TRACE, GET, HEAD
    Content-Length: 3126
    Content-Type: text/html
    IIS Plugin Config:
    Properties loaded from path: 'D:\Inetpub\WeblogicPlugin\iisproxy.ini'
    Query String: '__WebLogicBridgeConfig'
    General Server List:
    Host: 'localhost' Port: 7001 Status: OK
    ConnectRetrySecs: '2'
    ConnectTimeoutSecs: '10'
    CookieName: 'JSESSIONID'
    Debug: '12'
    DebugConfigInfo: 'ON'
    DefaultFileName: ''
    DynamicServerList: 'ON'
    ErrorPage: ''
    FileCaching: 'ON'
    HungServerRecoverSecs: '300'
    Idempotent: 'OFF'
    KeepAliveEnabled: 'ON'
    KeepAliveSecs: '30'
    PathPrepend: ''
    PathTrim: '/weblogic'
    MaxSkips: '10'
    MaxPostSize: '-1'
    SecureProxy: 'OFF'
    WLLogFile: 'D:\Inetpub\WeblogicPlugin\iisPlugin.log'
    WLProxySSL: 'OFF'
    Runtime statistics:
    requests: 1
    successful requests: 1
    Exception objects created: 0
    Exception Objects deleted: 0
    URL Objects created: 1
    URL Objects deleted: 1
    connections recycled: 0
    UNKNOWN_ERROR_CODE exceptions: 0
    CONNECTION_REFUSED exceptions: 0
    CONNECTION_TIMEOUT exceptions: 0
    READ_ERROR exceptions: 0
    WRITE_ERROR exceptions: 0
    READ_TIMEOUT exceptions: 0
    WRITE_TIMEOUT exceptions: 0
    UNKNOWN_HOST exceptions: 0
    NO_RESOURCES exceptions: 0
    PROTOCOL_ERROR exceptions: 0
    CONFIG_ERROR exceptions: 0
    FAILOVER_REQUIRED exceptions: 0
    Build date/time: Apr 14 2002 17:53:13

  • I can't access my wireless time machine backup.

    When I try to access my backup files wirelessly it says enter your name and password for the server "Base Station ddb9a1".  I do not know my name and password.  I had did a clean install to upgrade to Mountain Lion from Lion.  I used the migration assistant, but I can't access my wireless time machine backup. Please someone help.

    Hello,
    I would like an answer to this question as well. As this is a time capsule and not a Airport extreme question I think here is a better start.
    I'm planning on getting a Time Capsule but have been backing up to a 500GB USB drive connected directly to my MacBook. It's probably only a month or 2 worth of back ups and not that big of a deal but if i get a Time Capsule and want to access the old back ups it would be nice to know if that is possible and if so how it can be done. I was thinking it might be possible to use something like Carbon Copy Cloner and move the back up file to the Time Capsule drive and erase the external that I have now, and have Time Machine use that file like it has been doing from the wired drive.
    I will look around the posts and see if I can find anything. In the mean time if someone finds something it would be nice if you could put the link in this discussion.
    Cheers,
    Shadowrider

  • When I share a link (URL) only Apple computers receive the link. Others such as PCs and Blackberries get the message, but the field which should have the link is blank. Is this normal?  Why can I only send to Apple machines?

    when I "share a link" (URL) using the pulldown menu in Safari, the email goes to all addresses I indicate, but only Apple computers receive the link. Others such as PCs and Blackberries get the message, but the field which should have the link is blank. Is this normal?  Why can I only send to Apple machines?

    I have had a similar problem with my system. I just recently (within a week of this post) built a brand new desktop. I installed Windows 7 64-bit Home and had a clean install, no problems. Using IE downloaded an anti-virus program, and then, because it was the latest version, downloaded and installed Firefox 4.0. As I began to search the internet for other programs to install after about maybe 10-15 minutes my computer crashes. Blank screen (yet monitor was still receiving a signal from computer) and completely frozen (couldn't even change the caps and num lock on keyboard). I thought I perhaps forgot to reboot after an update so I did a manual reboot and it started up fine.
    When ever I got on the internet (still using firefox) it would crash after anywhere between 5-15 minutes. Since I've had good experience with FF in the past I thought it must be either the drivers or a hardware problem. So in-between crashes I updated all the drivers. Still had the same problem. Took the computer to a friend who knows more about computers than I do, made sure all the drivers were updated, same problem. We thought that it might be a hardware problem (bad video card, chipset, overheating issues, etc.), but after my friend played around with my computer for a day he found that when he didn't start FF at all it worked fine, even after watching a movie, or going through a playlist on Youtube.
    At the time of this posting I'm going to try to uninstall FF 4.0 and download and install FF 3.6.16 which is currently on my laptop and works like a dream. Hopefully that will do the trick, because I love using FF and would hate to have to switch to another browser. Hopefully Mozilla will work out the kinks with FF 4 so I can continue to use it.
    I apologize for the lengthy post. Any feedback would be appreciated, but is not necessary. I will try and post back after I try FF 3.16.6.

  • Can't post on Aperture (or other Discussions)

    Hi I was wondering if someone could help me. I just created a login profile, etc. a couple of days ago wanting to join the Aperture and Logic Discussions. I successfully did that.
    When I'm in the Aperture and Logic Discussions, I notice that there is no "Post New Topic" button at the top of the page. As a result I can't post topics there. I've tried this on several machines with the same result.
    For some reason in this Discussion, I can post (obviously).
    Has anyone else run into this - no "Post New Topic" button in Dicussions? Is there something I need to do?
    Thanks!

    Hi b7AWb3!
    You are probably on a Category page.
    From the Aperture Category, select a Forum.
    For example Aperture Installation, Setup, and General Usage.
    On Forums, there is an option to Post New Topic.
    Good Luck!
    ali b

  • I got a macbook pro 2008 and can not back up using time machine. it eject my external hard drive everytime. does someone has a fix???

    i got a macbook pro 2008 and can not back up using time machine. it eject my external hard drive everytime. does anybody has a fix???

    Does your external hard drive have it's own power supply?  It should.
    Is your external hard drive formatted with the NTFS file system?  It won't work.
    It needs to be formatted either with Mac OS Extended or FAT32.
    (There are drivers available to add NTFS support to OS X but their quality is unknown, especially the "free" ones.)

  • Snow leopard can't be installed on my machine.

    Alright, here goes. Thank you in advance.
    BACK STORY:
    I have an Intel iMac. I've had it for a few years and it's always been awesome. I was running Leopard, and it was all gravy. So much so, that I even took it in to my Apple store to see if there was anything I needed to do to protect my machine, or if there were any updates for my machine that I should purchase. Dude at genius bar said yea, there is an iLife update and a new version of OS, Snow Leopard. He told me he would update my macbook (which was getting a new hard drive put in) for me and show me how to do it, so that when I got home with my iMac, I could do the same update to it. iLife 11 and Snow Leopard installed perfectly on my Macbook (my secondary computer). I tried to installed Snow Leopard verbatim what the Apple associate showed me, with his written directions. Popped in my disc, selected English, install began, got about 1/3 of the way through the progress bar and an error message came up reading "Snow Leopard can't be installed on this machine". Interesting. Apple store guy said I was good to go?
    DIAGNOSIS FROM APPLE STORE:
    I took my iMac back to the apple store the next day, with my macbook incase I needed to run a firewire from iMac to Macbook to transfer files. Dude tried to save some of my data but couldn't access it. He told me there was a OS conflict and he was unable to archive and install. He gave me a card with all the information for a data recovery service and told me I was SOL. Great. I took my mac in to make sure it was good to update, he said yes, and then I did it, in turn frying my main computer into a useless paperweight.
    FUNCTIONALITY:
    When I try to turn on my iMac now, it goes to a grey screen with an apple and a spinning gear. This screen stays up for about 45 seconds and then the computer shuts off. I've connected a firewire to the iMac and my Macbook and held the T key down in an effort to save my photos and music etc. The firewire symbol comes up on the iMac, but nothing appears in my finder on my Macbook like an external hard drive would. If I put the Snow Leopard disc in, and hold the T key, the Snow Leopard disc will show up in my Macbook's finder/desktop. If I put the Snow Leopard disc in the iMac and boot it up the computer just shuts down, even if I hold the C key. If I boot with the Leopard disc and hold C, the disc will mount and I can re-install Leopard, but I get a warning that all of my data will be erased in doing so. Obviously I don't want to part with 200+ GB of data. My last back up was about a month before all this so it won't be the end of the world but there are photos and other things that are recent to my hard drive with no back up and that I'd rather not lose if I don't have to.
    BASIC INFORMATION:
    I'm 24 with a bachelors degree and I am very comfortable with my mac. AKA you don't have to reply like you're teaching your grandma how to email.
    My iMac IS an Intel iMac.
    I have 47 GB of free space on it, plenty of room for an OS update.
    Firewire ports are FW400 on both computers.
    I had to archive and install Leopard once about a year ago on my iMac. Not sure why there was issue, but the problem was fixed when I did this.
    So, do I have any options here besides erasing my hard drive? Has anyone ran into this before. Sorry for the rant. Thank you again.

    Attach an external hard drive to the iMac. Boot from the Snow Leopard disc again, launch Disk Utility, go into the Restore tab, select the internal drive as the source, select the external drive as the destination, and restore. Then partition -- do not merely erase -- the internal drive, and see whether you can install onto it. If you can, use Migration Assistant to restore your data from the backup.
    Not backing up = inevitable data loss.

  • How can I POST data within the same page if I have a A HREF -tag as input?

    How can I POST data within the same page if I have a <A HREF>-tag as input? I want the user to click on a line of text (from a database) and then some data should be posted.

    you can use like this or call javascript fuction and submit the form
    <form method=post action="/mypage">
    cnmsdesign.doc     
    </form>

  • How do I export HDR photos made on Photoshop CS5 onto a flashdrive so I can use them on a window machine for commercial purposes.  Adobe support claims it is a apple problem not theirs.  PS the other window machine doesn't have Photoshop cs 5 installed?

    Hi, How do I export HDR photos made on a macpro with photoshop cs5 onto a flashdrive so they can be imported correctly into a windows machine that doesn't have photoshop installed on it?  Already exported to a HP flashdrive but they do not even show up on a windows machine. Need that capabillity since this is for commercial printing.  My wife's mac laptop only shows 3/4 of the picture the rest is grayed out.  Adobe support claims it is a Apple problem.  Love the finger pointing and hold me blameless atitude on their part.  Told them creating a picture should be like gas that can be used in anybody's car, just not their Adobe equipped ferrari.  Do I need to convert the file struture so it can be read by the window machine? How would I do that ?  Any comments appreciated. Doug

    I certainly wouldn't expect to read native PS CS5 files with all features intact and supported on a machine that doesn't have CS5 installed. Try saving the files as flattened (no layers) TIFFs before moving them to the flash drive and trying to open them on the Windoze box.

  • Can use old macbook for Time Machine Backup?

    Have an old macbook running snow leopard.  Can I use it for Time Machine Back-up for my current macbook pro?

    Boot your old into Target Disk mode, then plug a FireWire cable from your old to your pro.  Presto!  Your old's internal HD will appear in your pro's Finder as a disk on your pro.  Time machine running on your pro can use it for backup.  Time machine won't disturb its contents, except to add a potentially huge folder there, which will grow to fill the disk with copies of your backups. (Backing up, then) partitioning (and then restoring from backup) your old's internal hard drive will keep your pro's Time Machine from consuming all free space.

  • How can i recover mail from time machine

    i upgraded from lion to mountain lion few month ago. i have been backingup to time machine since day one.
    last week, formatted my mac, i tried to recover my mail by using time machine, it did not show up any date for recovery. 
    it there a way to import back these mail? or is there a way to recover it?

    Although you can restore messages from a Time Machine snapshot within the Mail application, it generally won't work with messages that were saved by an older version of Mail. In that case, you have to use an alternative method.
    Triple-click the line below to select it:
    ~/Library/Mail/V2
    Right-click or control-click the highlighted line and select
    Services ▹ Reveal
    from the contextual menu.* A Finder window should open with a folder selected. Inside that folder are subfolders representing your Mail accounts. The names refer to the email addresses you use. Decide which ones you want to restore messages from.
    Enter Time Machine and scroll back to the snapshot you want. Select the account folders you want and then select  Restore ... to... from the action menu (gear icon) in the toolbar of the snapshot window. Restore the folders to the Desktop, not to their original location.
    From the Mail menu bar, select
    File ▹ Import Mailboxes...
    Import from the mailboxes in the folders you restored to the Desktop. The imported messages will appear in a new mailbox. Move the ones you want to keep wherever you like and delete the rest. Then delete the folders on the Desktop.
    *If you don't see the contextual menu item, copy the selected text to the Clipboard (command-C). In the Finder, select
    Go ▹ Go to Folder...
    from the menu bar, paste into the box that opens (command-V). You won't see what you pasted because a line break is included. Press return.

Maybe you are looking for

  • Bug in New Firmware V50.0.005 for Nokia 5800 Xpres...

    Hi I am facing  some bug in new Firmware V50.0.005 1) In the music library it is not showing any song.(i am having arround 500 songs in memory card) 2) If i try to refresy the library, it will not complete the process. (i.e. continuesly it will show

  • NEW ITEM IN INBOUND DELIVERY

    Hi All, We have an issue in inbound delivery. We have created a purchase order with one line item. While giving confirmation the vendors says that he would also send some free items along with the actually ordered items. For Example I create a PO for

  • HP Photosmart C7280 All-in-One , Mac 0SX 10.6.8 Error message:' pump motor stalled

    HP Photosmart C7280 All-in-One , Mac 0SX 10.6.8 Error message:' pump motor stalled' press (I don't recognise the icon!) What is the button & what is the solution?

  • PKBC(Kanban status emplty to full)

    showing dump error : The ABAP/4 Open SQL array insert results in duplicate database records. What happened? The termination occurred in the ABAP program "SAPLCYBT" in "CY_BT_KBED_POST_IN_OTHER_TASK". The main program was "RSM13000 ". The termination

  • Refresh the page when you enter, you load, or focuses

    Greetings to the community...  The question I have is like to refresh (update) a page when you enter... On the "results.php" page data received from a database I have and when I modify them from another page "modify.php" and return to the "results.ph