Hanging Disconnect Returns wih new Tiger updates

I use an Apple v92 modem with my MacBook Pro (2006). Since the plethora of recent updates over the last 2 weeks I have had a return of the hanging disconnect bug.
The modem forever tries to disconnect without success. This occurs when I get knocked offline, frequent in my rural setting.
In his case I can solve the problem by unplugging and re-plugging the USB modem or restart. Unplugging is by far the fastest solution. A log out/in does not work.
I have not had time to test which update did this, nor test the End Hanging DIsconnect script which I trashed long ago.
Has anyone else seen this? Does anyone know of a permanent solution?
TIA,
Bill

Don't use Tiger much at all, still use Panther or OS9 to get my work done, but one thing that may help is to repair permissions & clear caches, I'd use Applejack...
http://www.versiontracker.com/dyn/moreinfo/macosx/19596
After installing, boot holding down CMD+s, then when the prompt shows, type in...
applejack AUTO
Then let it do all 5 of it's things. Updates seem to have a way of borking some previous stuff, and Applejack quite frequently straightens them out... at least we'll have some idea what it isn't.

Similar Messages

  • Trying to connect Digital AV Adapter to watch a movie from iPad to TV.  Asking to disconnect AirPlay and mirroring.  No button to do so.  Is this a result of the new iOS update?  Anyone have a solution?

    Trying to connect my Digital AV Adapter to watch Netflex or Amazon Prime movie from IPad to TV and asking to disconnect AirPlay & mirroring.  I do not have Air Play and there is no way to do this.  Anyone have a solution?  Is this a result of the new iOS update?  Thank you.

    Try looking in the control panel by swiping up from the bottom of the screen.

  • TableView updates not working when ValueFactory returns a new Binding

    Hi,
    When a cell value factory returns a newly created expression or Binding cell values will stop receiving updates at some point. It seems that the cell that requests the observable value from the value factory does not keep a strong reference to the returned value so the cell will only receive updates from the the Observable value as long as it has not been garbage collected. The code below reproduces this issue:
    import javafx.application.Application;
    import javafx.beans.property.DoubleProperty;
    import javafx.beans.property.ReadOnlyStringWrapper;
    import javafx.beans.property.SimpleDoubleProperty;
    import javafx.beans.value.ObservableValue;
    import javafx.event.ActionEvent;
    import javafx.event.EventHandler;
    import javafx.scene.Scene;
    import javafx.scene.control.Button;
    import javafx.scene.control.TableColumn;
    import javafx.scene.control.TableColumn.CellDataFeatures;
    import javafx.scene.control.TableView;
    import javafx.scene.layout.HBox;
    import javafx.scene.layout.HBoxBuilder;
    import javafx.scene.layout.StackPane;
    import javafx.scene.layout.VBox;
    import javafx.scene.layout.VBoxBuilder;
    import javafx.stage.Stage;
    import javafx.util.Callback;
    * Reproduce cell update bug. Compile and run the class. Press the update button a
    * couple of times and note how the values in the total column update. Press the
    * GC button a couple of times and then press the update button again. Note how
    * the values in the total column do not update anymore.
    * The Value Factory for the total column does not return a property that is
    * held by the Order object, it returns a Binding that is created on the fly.
    * The cell does not hold a strong reference to this object so it can be gc'd 
    public class CellUpdateTest2 extends Application {
         static class Order {
              String name;
              DoubleProperty price = new SimpleDoubleProperty();
              DoubleProperty qty = new SimpleDoubleProperty();
              Order(String n, double p) {
                   name = n;
                   price.set(p);
                   qty.set(1);
         final Order items[] = {
                   new Order("Item 0", 4.0),
                   new Order("Item 1", 5.0),
                   new Order("Item 2", 6.0),
                   new Order("Item 3", 7.0),
                   new Order("Item 4", 8.0),
                   new Order("Item 5", 9.0),
                   new Order("Item 6", 10.0),
                   new Order("Item 7", 11.0)
         @Override
         public void start(final Stage primaryStage) throws Exception {
              final Button updateButton = new Button("Update Values");
              updateButton.setOnAction(new EventHandler<ActionEvent>() {
                   @Override
                   public void handle(final ActionEvent actionEvent) {
                        for (Order i: items) {
                             i.qty.set(i.qty.get() + 1);
              final Button gcButton = new Button("System.gc()");
              gcButton.setOnAction(new EventHandler<ActionEvent>() {
                   @Override
                   public void handle(final ActionEvent actionEvent) {
                        System.gc();
              final TableView<Order> tv = new TableView<Order>();
              final TableColumn<Order, String> nameCol = new TableColumn<Order, String>("Item");
              final TableColumn<Order, Number> priceCol = new TableColumn<Order, Number>("Price");
              final TableColumn<Order, Number> qtyCol = new TableColumn<Order, Number>("Quantity");
              final TableColumn<Order, Number> totalCol = new TableColumn<Order, Number>("Total");
              nameCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, String>, ObservableValue<String>>() {
                   @Override
                   public ObservableValue<String> call(final CellDataFeatures<Order, String> d) {
                        return new ReadOnlyStringWrapper(d.getValue().name);
              priceCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, Number>, ObservableValue<Number>>() {
                   @Override
                   public ObservableValue<Number> call(final CellDataFeatures<Order, Number> cellData) {
                        return cellData.getValue().price;
              qtyCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, Number>, ObservableValue<Number>>() {
                   @Override
                   public ObservableValue<Number> call(final CellDataFeatures<Order, Number> cellData) {
                        return cellData.getValue().qty;
              totalCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, Number>, ObservableValue<Number>>() {
                   @Override
                   public ObservableValue<Number> call(final CellDataFeatures<Order, Number> cellData) {
                        return cellData.getValue().price.multiply(cellData.getValue().qty);
              tv.getColumns().addAll(nameCol, priceCol, qtyCol, totalCol);
              tv.setColumnResizePolicy(TableView.CONSTRAINED_RESIZE_POLICY);
              tv.getItems().addAll(items);
              final HBox hb = HBoxBuilder.create().children(updateButton, gcButton).build();
              final VBox vb = VBoxBuilder.create().children(tv, hb).build();
              primaryStage.setScene(new Scene(vb));
              primaryStage.setHeight(200.0);
              primaryStage.show();
         public static void main(final String args[]) {
              launch(args);
    } Is this expected behaviour?
    If so - what would the correct way to approach this?
    If not - is there an easy workaround?

    this seems to have worked....
         static class Order {
              String name;
              DoubleProperty price = new SimpleDoubleProperty();
              DoubleProperty qty = new SimpleDoubleProperty();
                    DoubleProperty total = new SimpleDoubleProperty();
              Order(String n, double p) {
                   name = n;
                   price.set(p);
                   qty.set(1);
                    public void updateTotal() {
                        total.set(price.get() * qty.get());
         }with
              qtyCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, Number>, ObservableValue<Number>>() {
                   @Override
                   public ObservableValue<Number> call(final CellDataFeatures<Order, Number> cellData) {
                                    System.out.println("in qty column");
                                    cellData.getValue().updateTotal();
                        return cellData.getValue().qty;
              });and finally
              totalCol.setCellValueFactory(new Callback<TableColumn.CellDataFeatures<Order, Number>, ObservableValue<Number>>() {
                   @Override
                   public ObservableValue<Number> call(final CellDataFeatures<Order, Number> cellData) {
                                    System.out.println("in total column");
                        return cellData.getValue().total;
              });I cannot explain why what you did did not work. I have a mistrust towards binding and I avoid it when ever possible.
    thanks
    jose

  • Tiger going crazy on iBook G4 with new security update and Safari 3

    I'm running 10.4.11, 1.42GHz PPC G4 with 1.5GB of SDRAM.
    So I ran software update where I noticed new Security Update and Safari update.
    I tried to run the new Safari - Nothing, it's dead, no action! ( could hear hard drive but no action)
    Today I tried running 'Software Update', it's spinning it's wheels, over and over again.
    I'm sure Apple is working on sending me an email, as they got the skinny when the program crashed I forwarded the system message.
    So a bit frustrated hear, I'm using Safari and getting to know Camino.
    The Biggest frustration is that 'Mail' will not boot up so I use my internet to check mail, bummer.
    So lets hope we get some info soon.
    Loyal Apple User
    Ken

    If you are operating behind a proxy server, maybe this will help.
    With regards to crashes from behind a proxy server, I came up with a work around!
    I have been using Automatic proxy configuration using a .pac file. That seems to be causing the error.
    After inspecting the .pac file, and following the if, ifelse path, at the very bottom is a proxy address and port for unclassified connections. Mine looks like this
    proxy.sun.ac.za Port :####
    I have put this into my System Preferences for all connection types, manually. This is found under, System Preferences: Built-in Ethernet: Configure Manually...
    Then you need to go through the box on the left and check each box. As you do so, paste the default proxy address and port in the open boxes on the right.
    Hope this work around helps. My Quicktime is still not working for my older .avi files.
    bmyia

  • Can I return my new iPhone?

    Hi all,
    Can I return my new iPhone 4? I have had it for a week, and just wondering if I can return the phone, and how that would work with AT&T?
    Why, you ask? I think overall the phone has sub-standard quality, at least what I had grown used to with my 3Gs. My 3Gs was a tank, and had fantastic reception, and was fast. I am a power user, use my phone all day for business, uss Apps & games everyday on wifi and 3G. My 3Gs was very reliable, and rock solid. No complaints. And I am also a decades long Apple user, having bought several MacBooks, and an iPad earlier this year.
    My complaints? The phone is slow. I live in Manhattan where there are cell towers on every block. Sending/receiving email is painfully slow and often times out, even when I am connected to a high speed home wifi signal. Calls now drop nearly every time I call someone. And again, I live in one of the best places for AT&T coverage in the US. Games are also slow, they "stutter" as if the OS is slow.
    There are yellow spots on my screen. With a case the squared body is thick, and does not lend itself to slipping in your pants pocket. And sorry, if you dont use a case and a screen protector your phone will get trashed in no time, its common sense. This phone feels fragile, as opposed to the 3Gs which was a tank. My dropped my 3Gs several times over the last two years, only breaking the screen once which was easily replaced. I feel like if I drop this phone it will crumple.
    Overall the iPhone 4 has been a low performing fragile phone. The yellow spots really top it all for me. The quality is not Apple, and this recent update wasn't revolutionary(it doesn't change the way we compute), its cosmetic & merely the old OS in a better looking body with some superficial new features.
    Again, I am a proud life long Apple owner. But this is the first time I have been very disappointed by their products.

    Like Obama says... yes you can
    I did it last week because I bought an iPhone 4 as a wedding gift but then I changed my mind and wanted an iPad, so the bride could use it together with the groom (while the phone is personal).
    I returned the iPhone to the apple store and I paid the difference to buy the 32GB iPad, no problems
    I didn't opened the case, but the guy at the apple store told me I could have returned the phone even if it was opened. It must be undamaged tough.

  • I installed new software updates, and now when I try to open up pages it tells me "Pages cannot be opened because of a problem." does anyone know what I can do?

    I installed new software updates, and now when I try to open up pages it tells me "Pages cannot be opened because of a problem." does anyone know what I can do?

    1)Copy this below from --{code} to --{code}
    --{code}
    set p2l to "" & (path to library folder from user domain)
    set the_cache to p2l & "Caches:com.apple.iWork.fonts"
    tell application "System Events"
              set maybe to exists disk item the_cache
              if maybe then delete disk item the_cache
    end tell
    if maybe then
              display dialog "I deleted the file :" & return & the_cache
    else
              display dialog "The file :" & return & the_cache & return & "was unavailable !"
    end if
    --{code}
    2) Than open Applescript Editor in your applications and paste it
    3) Than select "Compile"
    4) Than select "Run"

  • Linked Server :: OLE DB provider "OraOLEDB.Oracle" for linked server "ABC" returned message "New transaction cannot enlist in the specified transaction coordinator. ".

    Hello All,
    As mentioned in title, i am stuck up with that articular error from last three days,
    i have following scenario, my SQL server 2008, my oracle 10g are on both same machine with OS Windows Server 2008.
    the following error generated on my management studio when i execute my procedure written in my SQL server. Following is original source code snippet after error massage.
    OLE DB provider "OraOLEDB.Oracle" for linked server "ORCL" returned message "New transaction cannot enlist in the specified transaction coordinator. ".
    Msg 50000, Level 16, State 2, Procedure PROC_MIGRATE_MST_FRM_ORA_SQLSERVER, Line 43
    The operation could not be performed because OLE DB provider "OraOLEDB.Oracle" for linked server "ORCL" was unable to begin a distributed transaction.
    BEGIN TRY
    -- MIGRATION OF PR_COMPANY_MH START
    BEGIN TRANSACTION T1
    PRINT 'mILAN NNNNNNNNN 11'
    INSERT INTO PROD.PR_COMPANY_MH
    SELECT * FROM OPENQUERY(ORCL, 'SELECT * FROM PR_COMPANY_MH WHERE SQL_FLG = ''N'' ')
    PRINT 'mILAN NNNNNNNNN 12'
    UPDATE OPENQUERY(ORCL, 'SELECT SQL_FLG FROM PR_COMPANY_MH WHERE SQL_FLG = ''N''')
    SET SQL_FLG = 'Y'
    --EXECUTE ('UPDATE PROD.PR_COMPANY_MH SET SQL_FLG = ''Y'' ') AT [ORCL]
    PRINT 'mILAN NNNNNNNNN 13'
    COMMIT TRANSACTION T1
    -- MIGRATION OF PR_COMPANY_MH END
    END TRY
    BEGIN CATCH
    PRINT 'mILAN NNNNNNNNN 14'
    ROLLBACK TRANSACTION T1
    PRINT 'mILAN NNNNNNNNN 15'
    SELECT
    @ErrorNumber = ERROR_NUMBER(),
    @ErrorSeverity = ERROR_SEVERITY(),
    @ErrorState = ERROR_STATE(),
    @ErrorLine = ERROR_LINE(),
    @ErrorProcedure = ISNULL(ERROR_PROCEDURE(), '-');
    PRINT 'mILAN NNNNNNNNN 16'
    SELECT @ErrorMessage = ERROR_MESSAGE();
    RAISERROR (@ErrorMessage, @ErrorSeverity, @ErrorState, @ErrorNumber, @ErrorProcedure)
    PRINT 'mILAN NNNNNNNNN 17'
    END CATCH
    this perticular part is raising that error, and i had tried every configuartion on my local machine related to MS DTC.
    When i remove my transaction code, its work just fine no exception raise, but when i use then i.e. BEGIN TRAN, COMMITE TRAN, AND ROLLBACK TRAN. its giving me error, other wise its fine.
    Please Help or disscus or suggest why my transaction base code is not woking????
    thanks in advance.
    Regards,
    Milan

    Sorry again, I am new on any kind of forum, so i am learning now, following is the error massage generated by SQL Server. and its not
    an architecture problem, i had just included my complete architecture to be more informative while asking for the solution or suggestion. My real problem is T-SQL, i think and its related to Distributed queries raise in SQL Server in Oracle Link Server.
    OLE DB provider "OraOLEDB.Oracle"
    for linked server "ORCL" returned message "New transaction cannot enlist in the specified transaction coordinator. ".
    Msg 50000, Level 16, State 2, Procedure PROC_MIGRATE_MST_FRM_ORA_SQLSERVER,
    Line 43
    The operation could not be performed because OLE
    DB provider "OraOLEDB.Oracle" for linked server "ORCL" was unable to begin a distributed transaction.

  • Eclipse Mars Install New Features/Update fails with HTTP Code 416

    Hi,
    I'm currently trying to update my working Eclipse Luna (for Java and DSL
    Developers) to the new Mars version (seperate fresh installation), but I keep getting an error, which I was unable to resolve.
    The workstation has to use a corporate proxy and it was always a little bit tricky to get the Eclipse Marketplace and Install New Feature/Update working. My Luna Eclipse is configured (network settings) to use "Manual" as Active Provider, with the correct host + port + user + password combination. I also got the known bugs
    https://bugs.eclipse.org/bugs/show_bug.cgi?id=281472 and
    https://bugs.eclipse.org/bugs/show_bug.cgi?id=281384 , so I added the infamous "-Dorg.eclipse.ecf.provider.filetransfer.excludeContributors=org.eclipse.ecf.provider.filetransfer.httpclient4"
    option in the eclipse.ini. While this is working in Luna, I cannot use the Marketplace or Update features in Mars.
    I can open the Marketplace and it actually shows all the plugins, I can select one for install and the plugin-dependency-tree is show, but the next step fails with the following message:
    eclipse.buildId=4.5.0.I20150603-2000
    java.version=1.8.0_45
    java.vendor=Oracle Corporation
    BootLoader constants: OS=win32, ARCH=x86_64, WS=win32, NL=de_DE
    Framework arguments: -product org.eclipse.epp.package.dsl.product
    Command-line arguments: -os win32 -ws win32 -arch x86_64 -product org.eclipse.epp.package.dsl.product
    org.eclipse.equinox.p2.transport.ecf
    Error
    Mon Jul 27 09:41:12 CEST 2015
    Unable to read repository at http://download.eclipse.org/technology/subversive/3.0/update-site/content.jar.
    java.io.IOException: Server returned HTTP response code: 416 for URL: http://download.eclipse.org/technology/subversive/3.0/update-site/content.jar
    at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(Unknown Source)
    at sun.net.www.protocol.http.HttpURLConnection.getInputStream(Unknown Source)
    at org.eclipse.ecf.provider.filetransfer.retrieve.UrlConnectionRetrieveFileTransfer.getDecompressedStream(UrlConnectionRetrieveFileTransfer.java:552)
    at org.eclipse.ecf.provider.filetransfer.retrieve.UrlConnectionRetrieveFileTransfer.openStreams(UrlConnectionRetrieveFileTransfer.java:322)
    at org.eclipse.ecf.provider.filetransfer.retrieve.AbstractRetrieveFileTransfer.sendRetrieveRequest(AbstractRetrieveFileTransfer.java:885)
    at org.eclipse.ecf.provider.filetransfer.retrieve.MultiProtocolRetrieveAdapter.sendRetrieveRequest(MultiProtocolRetrieveAdapter.java:146)
    at org.eclipse.equinox.internal.p2.transport.ecf.FileReader.sendRetrieveRequest(FileReader.java:424)
    at org.eclipse.equinox.internal.p2.transport.ecf.FileReader.readInto(FileReader.java:358)
    at org.eclipse.equinox.internal.p2.transport.ecf.RepositoryTransport.download(RepositoryTransport.java:101)
    at org.eclipse.oomph.p2.internal.core.CachingTransport.download(CachingTransport.java:178)
    at org.eclipse.oomph.p2.internal.core.CachingTransport.download(CachingTransport.java:219)
    at org.eclipse.equinox.internal.p2.repository.CacheManager.updateCache(CacheManager.java:402)
    at org.eclipse.equinox.internal.p2.repository.CacheManager.createCache(CacheManager.java:259)
    at org.eclipse.equinox.internal.p2.metadata.repository.SimpleMetadataRepositoryFactory.getLocalFile(SimpleMetadataRepositoryFactory.java:66)
    at org.eclipse.equinox.internal.p2.metadata.repository.SimpleMetadataRepositoryFactory.load(SimpleMetadataRepositoryFactory.java:88)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.factoryLoad(MetadataRepositoryManager.java:57)
    at org.eclipse.equinox.internal.p2.repository.helpers.AbstractRepositoryManager.loadRepository(AbstractRepositoryManager.java:768)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
    at java.lang.reflect.Method.invoke(Unknown Source)
    at org.eclipse.oomph.util.ReflectUtil.invokeMethod(ReflectUtil.java:116)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager.loadRepository(CachingRepositoryManager.java:344)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager.loadRepository(CachingRepositoryManager.java:146)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager$Metadata.loadRepository(CachingRepositoryManager.java:394)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.loadRepository(MetadataRepositoryManager.java:96)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.loadRepository(MetadataRepositoryManager.java:92)
    at org.eclipse.epp.internal.mpc.ui.operations.AbstractProvisioningOperation.addRepositories(AbstractProvisioningOperation.java:92)
    at org.eclipse.epp.internal.mpc.ui.operations.ProfileChangeOperationComputer.computeInstallableUnits(ProfileChangeOperationComputer.java:385)
    at org.eclipse.epp.internal.mpc.ui.operations.ProfileChangeOperationComputer.run(ProfileChangeOperationComputer.java:165)
    at org.eclipse.jface.operation.ModalContext$ModalContextThread.run(ModalContext.java:119)
    Check for Update shows the same result.
    I tried googling for this kind of error, but it seems no one has reported this problem so far. I'm a little bit lost what to do now (apart from using Luna again), since exactly the same configuration is working in Luna, but is unusable for me in Mars. The network access seems to work because Mars can load the dependency tree of a Marketplace plugin. Every other combination in the network settings fails because of the corporate proxy.
    So, any suggetions how to find the root cause? It's quite possible the corporate proxy is misconfigured, but I hope you can help me finding the difference between the working Luna and the (for me) broken Mars, so I know what has to be configured differently. Something seems to be changed in the way the packages are downloaded.
    Thank you very much!

    Hi,
    I'm currently trying to update my working Eclipse Luna (for Java and DSL
    Developers) to the new Mars version (seperate fresh installation), but I keep getting an error, which I was unable to resolve.
    The workstation has to use a corporate proxy and it was always a little bit tricky to get the Eclipse Marketplace and Install New Feature/Update working. My Luna Eclipse is configured (network settings) to use "Manual" as Active Provider, with the correct host + port + user + password combination. I also got the known bugs
    https://bugs.eclipse.org/bugs/show_bug.cgi?id=281472 and
    https://bugs.eclipse.org/bugs/show_bug.cgi?id=281384 , so I added the infamous "-Dorg.eclipse.ecf.provider.filetransfer.excludeContributors=org.eclipse.ecf.provider.filetransfer.httpclient4"
    option in the eclipse.ini. While this is working in Luna, I cannot use the Marketplace or Update features in Mars.
    I can open the Marketplace and it actually shows all the plugins, I can select one for install and the plugin-dependency-tree is show, but the next step fails with the following message:
    eclipse.buildId=4.5.0.I20150603-2000
    java.version=1.8.0_45
    java.vendor=Oracle Corporation
    BootLoader constants: OS=win32, ARCH=x86_64, WS=win32, NL=de_DE
    Framework arguments: -product org.eclipse.epp.package.dsl.product
    Command-line arguments: -os win32 -ws win32 -arch x86_64 -product org.eclipse.epp.package.dsl.product
    org.eclipse.equinox.p2.transport.ecf
    Error
    Mon Jul 27 09:41:12 CEST 2015
    Unable to read repository at http://download.eclipse.org/technology/subversive/3.0/update-site/content.jar.
    java.io.IOException: Server returned HTTP response code: 416 for URL: http://download.eclipse.org/technology/subversive/3.0/update-site/content.jar
    at sun.net.www.protocol.http.HttpURLConnection.getInputStream0(Unknown Source)
    at sun.net.www.protocol.http.HttpURLConnection.getInputStream(Unknown Source)
    at org.eclipse.ecf.provider.filetransfer.retrieve.UrlConnectionRetrieveFileTransfer.getDecompressedStream(UrlConnectionRetrieveFileTransfer.java:552)
    at org.eclipse.ecf.provider.filetransfer.retrieve.UrlConnectionRetrieveFileTransfer.openStreams(UrlConnectionRetrieveFileTransfer.java:322)
    at org.eclipse.ecf.provider.filetransfer.retrieve.AbstractRetrieveFileTransfer.sendRetrieveRequest(AbstractRetrieveFileTransfer.java:885)
    at org.eclipse.ecf.provider.filetransfer.retrieve.MultiProtocolRetrieveAdapter.sendRetrieveRequest(MultiProtocolRetrieveAdapter.java:146)
    at org.eclipse.equinox.internal.p2.transport.ecf.FileReader.sendRetrieveRequest(FileReader.java:424)
    at org.eclipse.equinox.internal.p2.transport.ecf.FileReader.readInto(FileReader.java:358)
    at org.eclipse.equinox.internal.p2.transport.ecf.RepositoryTransport.download(RepositoryTransport.java:101)
    at org.eclipse.oomph.p2.internal.core.CachingTransport.download(CachingTransport.java:178)
    at org.eclipse.oomph.p2.internal.core.CachingTransport.download(CachingTransport.java:219)
    at org.eclipse.equinox.internal.p2.repository.CacheManager.updateCache(CacheManager.java:402)
    at org.eclipse.equinox.internal.p2.repository.CacheManager.createCache(CacheManager.java:259)
    at org.eclipse.equinox.internal.p2.metadata.repository.SimpleMetadataRepositoryFactory.getLocalFile(SimpleMetadataRepositoryFactory.java:66)
    at org.eclipse.equinox.internal.p2.metadata.repository.SimpleMetadataRepositoryFactory.load(SimpleMetadataRepositoryFactory.java:88)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.factoryLoad(MetadataRepositoryManager.java:57)
    at org.eclipse.equinox.internal.p2.repository.helpers.AbstractRepositoryManager.loadRepository(AbstractRepositoryManager.java:768)
    at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
    at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
    at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
    at java.lang.reflect.Method.invoke(Unknown Source)
    at org.eclipse.oomph.util.ReflectUtil.invokeMethod(ReflectUtil.java:116)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager.loadRepository(CachingRepositoryManager.java:344)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager.loadRepository(CachingRepositoryManager.java:146)
    at org.eclipse.oomph.p2.internal.core.CachingRepositoryManager$Metadata.loadRepository(CachingRepositoryManager.java:394)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.loadRepository(MetadataRepositoryManager.java:96)
    at org.eclipse.equinox.internal.p2.metadata.repository.MetadataRepositoryManager.loadRepository(MetadataRepositoryManager.java:92)
    at org.eclipse.epp.internal.mpc.ui.operations.AbstractProvisioningOperation.addRepositories(AbstractProvisioningOperation.java:92)
    at org.eclipse.epp.internal.mpc.ui.operations.ProfileChangeOperationComputer.computeInstallableUnits(ProfileChangeOperationComputer.java:385)
    at org.eclipse.epp.internal.mpc.ui.operations.ProfileChangeOperationComputer.run(ProfileChangeOperationComputer.java:165)
    at org.eclipse.jface.operation.ModalContext$ModalContextThread.run(ModalContext.java:119)
    Check for Update shows the same result.
    I tried googling for this kind of error, but it seems no one has reported this problem so far. I'm a little bit lost what to do now (apart from using Luna again), since exactly the same configuration is working in Luna, but is unusable for me in Mars. The network access seems to work because Mars can load the dependency tree of a Marketplace plugin. Every other combination in the network settings fails because of the corporate proxy.
    So, any suggetions how to find the root cause? It's quite possible the corporate proxy is misconfigured, but I hope you can help me finding the difference between the working Luna and the (for me) broken Mars, so I know what has to be configured differently. Something seems to be changed in the way the packages are downloaded.
    Thank you very much!

  • Frightened: is the new Muse Update (Nov.) still working on Snow Leopard 10.6.8 exactly like before?

    I'm truly afraid about my months of work, I have to start from the beginning - because any little changings which is  shifted in Moevement or works differently than before.
    Over all my most fear is to need to uprade my mac from 10.6.8 up to 10.7 or 10.8  But i can't i spend a lot of money for lot of music stuff i need to work with, which is not working with 10.7
    i tried to find information about at adobe but somehow they makes me uncertain at all
    Do you have any experiece with the new Muse update and how it's working?
    unfortunately I have no time to test yourself and start all over again
    Thank you for any information  ;-)

    I assume you have working installer discs? If so here's a suggestion:
    Clean Install of Snow Leopard
    Be sure you backup your files to an external drive or second internal drive because the following procedure will remove everything from the hard drive.
         1. Boot the computer using the Snow Leopard Installer Disc.  Insert the disc into the
             optical drive and restart the computer.  After the chime press and hold down the
             "C" key.  Release the key when you see a small spinning gear appear below the
             dark gray Apple logo.
         2. After the installer loads select your language and click on the Continue
             button. When the menu bar appears select Disk Utility from the Utilities menu.
             After DU loads select the hard drive entry from the left side list (mfgr.'s ID and drive
             size.)  Click on the Partition tab in the DU main window.  Set the number of
             partitions to one (1) from the Partitions drop down menu, set the format type to Mac
             OS Extended (Journaled, if supported), then click on the Partition button.
         3. When the formatting has completed quit DU and return to the installer.  Proceed
             with the OS X installation and follow the directions included with the installer.
         4. When the installation has completed your computer will Restart into the Setup
             Assistant. Be sure you configure your initial admin account with the exact same
             username and password that you used on your old drive. After you finish Setup
             Assistant will complete the installation after which you will be running a fresh
             install of OS X.  You can now begin the update process by opening Software
             Update and installing all recommended updates to bring your installation current.

  • Used system update, now safari crashes, can't intiate a new system update

    I used the software update in Tiger, updated the latest version of the security update and the itunes...now everytime I open up safari it crashes, and I can intiate a new software update as it crashes too. Any ideas on how to fix?

    I am havibg the excate same problem, but much worse. I lost the connection to my external 200 GB firewire Lacie drive. Grab and iChat got to not responing as do my Microsoft Office applications. Every hour it seams that I am discovering more things that no longer work. Amoung them is me since I can't use Word or Excel, I am dead in the water.
    With so many other posts about 10.4.5, there must be something wrong with the upgrade. It can't be that so many of us are experiencing this because there is something wrong with our individual systems. Tiger 10.4.5 is the common thread of all of these problems.
    So far, all of the help, that has been given, assumes that "we" have installed bad drivers or something else that has caused this mayhem. I think that Apple should accept sample machines from us, at an Apple Store, to investigate the issues. After reading some of the messages, I am scared to re-load the OS from the original disk.

  • Is the New Security Update Working on My Computers?

    I have noticed that the XProtect.plist on 2 different computers have never updated since I installed the new Security Update on June 1. I have an Apple Care Product Specialist trying to figure it out.
    But, I ran across this (pasted below) today when checking Console, and if anyone can dechiper logs, maybe some independent analysis will tell me why I'm not getting the "MacDefender" scan this security update was supposed to provide (and why the subject .plist  has never updated since installing the Security Update on 2 10.6.7 Intel iMacs 4 days ago).
    If anyone can dechiper the log and tell me what I might do to correct this problem, kudos!
    The log entries (which contain a series of "failed") are:
    Version:1.0StartHTML:0000000149EndHTML:0000004433StartFragment:0000000199EndFrag ment:0000004399StartSelection:0000000199EndSelection:00000043996/4/11 8:59:20 AM    com.apple.launchd[1]    (com.apple.xprotectupdater[39]) Exited with exit code: 255
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 22
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 21
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 20
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 19
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 18
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 17
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 15
    6/4/11 8:59:24 AM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 16
    And
    6/4/11 12:15:50 PM    com.apple.launchd[1]    (com.apple.xprotectupdater[39]) Exited with exit code: 255
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 22
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 21
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 20
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 19
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 18
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 17
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 15
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 16
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 30
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 29
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 28
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 27
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 26
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 25
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 23
    6/4/11 12:15:54 PM    com.apple.notifyd[12]    EV_DELETE failed for file watcher 24
    6/4/11 12:15:55 PM    com.apple.WindowServer[80]    Sat Jun  4 12:15:55 {INFO REMOVED}-imac.local WindowServer[80] <Error>: kCGErrorFailure: Set a breakpoint @ CGErrorBreakpoint() to catch errors as they are logged.
    6/4/11 12:16:32 PM    com.apple.launchd.peruser.501[126]    (com.apple.ReportCrash) Falling back to default Mach exception handler. Could not find: com.apple.ReportCrash.Self
    6/4/11 12:16:39 PM    com.apple.launchd.peruser.501[126]    (com.apple.Kerberos.renew.plist[161]) Exited with exit code: 1
    6/4/11 1:03:18 PM    System Preferences[222]    Could not connect the action resetLocationWarningsSheetOk: to target of class AppleSecurity_Pref
    6/4/11 1:03:18 PM    System Preferences[222]    Could not connect the action resetLocationWarningsSheetCancel: to target of class AppleSecurity_Pref

    Run this command in the Terminal app, you'll need your admin password at the prompt:
    sudo /usr/libexec/XProtectUpdater
    Then, run this AppleScript:
    set a to do shell script "defaults read /System/Library/CoreServices/CoreTypes.bundle/Contents/Resources/XProtect.meta Version"
    set b to do shell script "defaults read /System/Library/CoreServices/CoreTypes.bundle/Contents/Resources/XProtect.meta LastModification"
    display dialog "Safe Download definitions are at version " & a & "," & return & "last updated on " & b
    which should show something like this (the time might be different):
    If you're not seeing version 5, then manually download and reinstall the update.

  • HT5367 Does anyone know if I can download this version of Java - for OS X 2012-005 - the new Java update is a total mess and it is preventing me from working... need to go back :-(

    Does anyone know if I can download this version of Java - for OS X 2012-005 - the new Java update is a total mess for me and is preventing me from working remotely...  :-( really need to go back to older Java, don't have the Time Machine set up ...  Thx

    I wonder if it's a variation of this, of which I've seen many different symptoms...
    http://km.support.apple.com/library/APPLE/APPLECARE_ALLGEOS/TS4135/TS4135_01-osx _1072-login_window-001-en.png
    Resolution
    Move the mouse or trackpad cursor over the center area of the login window so you can see the user icons. Click on the icon of the user that you would like to login as, type in the user's password, and press Return.
    If the login window is configured to show only the name and password fields, type in the user's name and password into the fields, and press Return (even if you cannot see the rest of the login window).
    Additional Information
    This issue will not occur if the display is not sleeping when the account is logged out. Use the steps below to confirm that the account is not configured to log out automatically while the display is sleeping:
    Open System Preferences > Security & Privacy > General.  Click the padlock to unlock the preference pane and enter your admin password. Click the Advanced button at the bottom, then see if the option "Log out after N minutes of inactivity" (where N is the number of minutes) is enabled.
    Open System Preferences > Energy Saver and configure Display Sleep to occur after the account is logged out, by dragging the slider to a number of minutes that is greater than N was set to in the previous step.
    Important: If automatic log out is not needed, disable "Log out after Nminutes of inactivity" in System Preferences > Security & Privacy > General. This will also prevent the issue.
    http://support.apple.com/kb/TS4135?viewlocale=en_US

  • PANTHER TO Tiger update discs?

    Anyone know where I can get some Tiger update discs?
    Our G4 needs Tiger and we currently have Panther. Evilbay is a little pricey for them at the moment.
    We will Be getting a new G5 in a year or 2 with Leopard....for now I need to upgrade to Tiger any ideas?

    SPCreative,
    An Upgrade disc, is a disk that was provided by Apple, to consumers that purchased a new model of Mac, shortly before, or after, a new version of OS X Tiger 10.4.x, was released.
    The new Mac would have had the older version Panther 10.3.x, pre-installed when manufactured.
    The Upgrade disc Tiger 10.4.x, is Model Specific, for that particular Mac, and will only Update the existing system Panther 10.3.x.
    It is not a full version of the OS X.
    Therefore, the previous version of OS X, must be present.
    The Full Retail Version, of the Tiger Install DVD, will install Tiger 10.4.x, regardless if a previous version Panther 10.3.x is present.
    The discs must look exactly like the images in the above links, and not say Upgrade, CPU Drop-in DVD, or "This software is part of a hardware bundle purchase - not to be sold seperately." on them.
    Additional info in these links.
    Using OS X Install CDs/DVDs On Multiple Macs
    What's A Computer Specific Mac OS X Release
    Software Update, Upgrade: What's The Difference?
    This is the correct one Mac OS X 10.4.6 Tiger, (DVD) Retail at FastMac.
    And at HardCore Mac.
    Notice, both are more expensive, than The Apple Store (U.S.).
    ali b

  • HP Pavilion p6, hangs on post with new grafik card Nvidia GTX750Ti

    Hi, i have an p6-2056sc, with a new grafik card gtx750ti (nvidia) hangs on post screen, i have updated the bios to the latest and change the PSU to an 430Watts, but still it won't boot, the card works in another pc so it seems ok, so what could be wrong ? if i put the old graficcard back it works again.

    Hi,
    Did your PC ship with Win 8 or Win 7?
    Your power supply seems to have enough power to run the card. Are all internal connections for power being made to the graphics card? Some graphics cards need additional four or six pin power connections to run the card.
    The only other thing I could think are is "secure boot". If your PC shipped with Win 7 that should not be a factor.
    The motherboard slot you are connecting the graphics card to should be enabled in BIOS (you are using this slot for your old card) so that should not be the problem. 
    Here is a guide on selecting graphics cards written by a very knowledgeable forum member. Maybe it will help.
    I am out of ideas??
    Jaco
    Errare humanum est.

  • TS3274 iPad installed the new os update now cannot unlock

    After the new os update installed you were required to create a Passcode to access the iPad, not allowed to complete the update without doing so. When typing one the system did not alllow me to finish typing saying after the first 4 or 5 letters "it was not secure enough" and took it as the passcode. Now it will not except the code and there is no prompt to reset it. I have tried numerous passcodes thinking it was referencing a previous one but all were rejected timing me out to try again later.
    How can I retreive what was accepted or create a new one.?

    Although it is not prominently displayed, there is an option to skip the passcode setup.
    Unfortunately, there is no way to decipher what the passcode is so you will need to reset it:
    If you have Find My iPhone enabled, you can use Remote Wipe to erase the contents of your device. If you have been using iCloud to back up, you may be able to restore the most recent backup to reset the passcode after the device has been erased.
    Alternatively, place the device in recovery mode and restore it to erase the device:
    Disconnect the USB cable from the device, but leave the other end of the cable connected to your computer's USB port.
    Turn off the device: Press and hold the Sleep/Wake button for a few seconds until the red slider appears, then slide the slider. Wait for the device to shut down.
    While pressing and holding the Home button, reconnect the USB cable to the device. The device should turn on.
    Continue holding the Home button until you see the Connect to iTunes screen.
    iTunes will alert you that it has detected a device in recovery mode. Click OK, and then restore the device.
    Forgotten Passcode or device disabled after entering wrong passcode

Maybe you are looking for

  • Login page error in the ISA b2b 5.0 application.

    Hi all i deployed the CRM ISA b2b 5.0 application successfully in the j2ee engine and after that i have done the XCM configuration also successfully and i tested thru run test for both JCO and IPC components all are successful. now when i tried with

  • *Sigh* Here we go again - GCU $30 promo

    Okay, BBY, this seems to be an almost regular occurance for me to have some sort of purchase issue due to the fact that all stores operate under their own individual management styles instead of having a formatted policy and style across the board. T

  • VLC fullscreen sometimes makes screen stay black after video ends

    like the subject says, sometimes the screen just stays black when a video ends while VLC is in fullscreen mode. I'm using VLC 2.0.8.a-1. I got the laptop in April, just in time for Revision 2013, had the problem more or less from the start, so that's

  • Why is this file locked (man chflags), does it need to be, and is it safe to unlock it?

    Why is this file locked (man chflags), does it need to be, and is it safe to unlock it? ~/Library/Application Support/Adobe/Enterprise/Resources/Resource_3_1.db Type this into a terminal in OS X, the above file appears to have a flag set to lock. x-m

  • Data type and Data object

    Hi Friends,         What is the difference between Data type and Data object? Best Regards, VRV Singh