Static context error, nothing declared static, new instance isn't working

I'm trying to get the IP address of a user using my applet. Nothing in my code is declared static.
InetAddress IP = InetAddress.getAddress();I get non-static method getAddress cannot be referenced from a static context.
I just read on another post with someone having a similar but not identical problem and someone replied saying you need to create a new instance. So I tried this:
InetAddress IP = new InetAddress();
//IP.getAddress();With this, I get the error: InetAddress(); is not public in java.net.InetAddress; cannot be accessed from an outside package
What can I do? It's probably something simple.
If you need code just ask, there's just alot of code and it might take awhile to recreate it.

I'm trying to get the IP address of a user using my
applet. Nothing in my code is declared static.
InetAddress IP = InetAddress.getAddress();I get non-static method getAddress cannot be
referenced from a static context.
I just read on another post with someone having a
similar but not identical problem and someone replied
saying you need to create a new instance. So I tried
this:
InetAddress IP = new InetAddress();
//IP.getAddress();With this, I get the error: InetAddress(); is not
public in java.net.InetAddress; cannot be accessed
from an outside package
What can I do? It's probably something simple.
If you need code just ask, there's just alot of code
and it might take awhile to recreate it.In your first try the method you attempted to use can only be used in an instant of an InetAddress ie. ip.getAddress(). Therefore the compiler thought you were trying to call a static method that was really an instance method. On your second try you used the contructor of InetAddress which isn't public, so you can't use it. To make an InetAddress use any of the static methods of the InetAddress, which can be found at http://java.sun.com/j2se/1.4.1/docs/api/java/net/InetAddress.html

Similar Messages

  • Implementing Custom Event - non-static referencing in static context error

    Hi,
    I'm implementing a custom event, and I have problems adding my custom listeners to objects. I can't compile because I'm referencing a non-static method (my custom addListener method ) from a static context (a JFrame which contains static main).
    However, the same error occurs even if I try to add the custom listener to another class without the main function.
    Q1. Is the way I'm adding the listener wrong? Is there a way to resolve the non-static referencing error?
    Q2. From the examples online, I don't see people adding the Class name in front of addListener.
    Refering to the code below, if I remove "Data." in front of addDataUpdatelistener, I get the error:
    cannot resolve symbol method addDataUpdateListener (<anonymous DataUpdateListener>)
    I'm wondering if this is where the error is coming from.
    Below is a simplified version of my code. Thanks in advance!
    Cindy
    //dividers indicate contents are in separate source files
    //DataUpdateEvent Class
    public class DataUpdateEvent extends java.util.EventObject
         public DataUpdateEvent(Object eventSource)
              super(eventSource);
    //DataUpdateListener Interface
    public interface DataUpdateListener extends java.util.EventListener
      public void dataUpdateOccured(DataUpdateEvent event);
    //Data Class: contains data which is updated periodically. Needs to notify Display frame.
    class Data
    //do something to data
    //fire an event to notify listeners data has changed
    fireEvent(new DataUpdateEvent(this));
      private void fireEvent(DataUpdateEvent event)
           // Make a copy of the list and use this list to fire events.
           // This way listeners can be added and removed to and from
           // the original list in response to this event.
           Vector list;
           synchronized(this)
                list = (Vector)listeners.clone();
           for (int i=0; i < list.size(); i++)
                // Get the next listener and cast the object to right listener type.
               DataUpdateListener listener = (DataUpdateListener) list.elementAt(i);
               // Make a call to the method implemented by the listeners
                  // and defined in the listener interface object.
                  listener.dataUpdateOccured(event);
               System.out.println("event fired");
    public synchronized void addDataUpdateListener(DataUpdateListener listener)
         listeners.addElement(listener);
      public synchronized void removeDataUpdateListener(DataUpdateListener listener)
         listeners.removeElement(listener);
    //Display Class: creates a JFrame to display data
    public class Display extends javax.swing.JFrame
         public static void main(String args[])
              //display frame
              new Display().show();
         public Display()
         //ERROR OCCURS HERE:
         // Non-static method addDataUpdateListener (DataUpdateListener) cannot be referenced from a static context
         Data.addDataUpdateListener(new DataUpdateListener()
             public void dataUpdateOccured(DataUpdateEvent e)
                 System.out.println("Event Received!");
    //-----------------------------------------------------------

    Calling
        Data.someMethodName()is referencing a method in the Data class whose signature includes the 'static' modifier and
    might look something like this:
    class Data
        static void someMethodName() {}What you want is to add the listener to an instance of the Data class. It's just like adding
    an ActionListener to a JButton:
        JButton.addActionListener(new ActionListener()    // won't work
        JButton button = new JButton("button");           // instance of JButton
        button.addActionListener(new ActionListener()     // okay
    import java.awt.*;
    import java.awt.event.*;
    import java.util.Vector;
    import javax.swing.*;
    public class EventTest extends JFrame
        Data data;
        JLabel label;
        public EventTest()
            label = getLabel();
            data = new Data();
            // add listener to instance ('data') of Data
            data.addDataUpdateListener(new DataUpdateListener()
                public void dataUpdateOccured(DataUpdateEvent e)
                    System.out.println("Event Received!");
                    label.setText("count = " + e.getValue());
            getContentPane().add(label, "South");
            setDefaultCloseOperation(EXIT_ON_CLOSE);
            setSize(300,200);
            setLocation(200,200);
            setVisible(true);
        private JLabel getLabel()
            label = new JLabel("  ", JLabel.CENTER);
            Dimension d = label.getPreferredSize();
            d.height = 25;
            label.setPreferredSize(d);
            return label;
        public static void main(String[] args)
            new EventTest();
    * DataUpdateEvent Class
    class DataUpdateEvent extends java.util.EventObject
        int value;
        public DataUpdateEvent(Object eventSource, int value)
            super(eventSource);
            this.value = value;
        public int getValue()
            return value;
    * DataUpdateListener Interface
    interface DataUpdateListener extends java.util.EventListener
        public void dataUpdateOccured(DataUpdateEvent event);
    * Data Class: contains data which is updated periodically.
    * Needs to notify Display frame.
    class Data
        Vector listeners;
        int count;
        public Data()
            listeners = new Vector();
            count = 0;
            new Thread(runner).start();
        private void increaseCount()
            count++;
            fireEvent(new DataUpdateEvent(this, count));
        private void fireEvent(DataUpdateEvent event)
            // Make a copy of the list and use this list to fire events.
            // This way listeners can be added and removed to and from
            // the original list in response to this event.
            Vector list;
            synchronized(this)
                list = (Vector)listeners.clone();
            for (int i=0; i < list.size(); i++)
                // Get the next listener and cast the object to right listener type.
                DataUpdateListener listener = (DataUpdateListener) list.elementAt(i);
                // Make a call to the method implemented by the listeners
                // and defined in the listener interface object.
                listener.dataUpdateOccured(event);
            System.out.println("event fired");
        public synchronized void addDataUpdateListener(DataUpdateListener listener)
            listeners.addElement(listener);
        public synchronized void removeDataUpdateListener(DataUpdateListener listener)
            listeners.removeElement(listener);
        private Runnable runner = new Runnable()
            public void run()
                boolean runit = true;
                while(runit)
                    increaseCount();
                    try
                        Thread.sleep(1000);
                    catch(InterruptedException ie)
                        System.err.println("interrupt: " + ie.getMessage());
                    if(count > 100)
                        runit = false;
    }

  • Static context error

    here is the code i am having issues with
    import javax.swing.JOptionPane;
         public class GreekNumberDriver{
              public static void main (String [] args) {
                   GreekNumbers Number  = new GreekNumbers ();
                   String GreekNumber = GreekNumbers.sendGreekNumber ();
                        JOptionPane.showMessageDialog(null, GreekNumber);
              }when i try and complie i get this error:
    GreekNumberDriver.java:9: non-static method sendGreekNumber() cannot be referenced from a static context
                   String GreekNumber = GreekNumbers.sendGreekNumber ();
                                                    ^here is the spot where the error is occuring in the origonal program
         public String sendGreekNumber (){
             return message;// sends main method the greek number analysis.
          }that snippet is part of a public class defined as
    public class GreekNumbers() {
    and i dont understand how it is non-static because i have never had this error before when i have used code identical to this.

    DJ-Xen wrote:
    here is the code i am having issues with
    import javax.swing.JOptionPane;
         public class GreekNumberDriver{
              public static void main (String [] args) {
                   GreekNumbers Number  = new GreekNumbers ();
                   String GreekNumber = GreekNumbers.sendGreekNumber ();
                        JOptionPane.showMessageDialog(null, GreekNumber);
              }when i try and complie i get this error:
    GreekNumberDriver.java:9: non-static method sendGreekNumber() cannot be referenced from a static context
                   String GreekNumber = GreekNumbers.sendGreekNumber ();
                                                    ^here is the spot where the error is occuring in the origonal program
         public String sendGreekNumber (){
    return message;// sends main method the greek number analysis.
    }that snippet is part of a public class defined as
    public class GreekNumbers() {
    and i dont understand how it is non-static because i have never had this error before when i have used code identical to this.This means that sendGreekNumber () is not a static method. to use it you have to do something like (new GreekNumbers()).sendGreekNumber ();

  • Running into strange errors when creating a new instance

    Hello:
    I am running 9.2.0.8 on a Windows 2003 Server.
    When I try to create a new instance, I chose a New Database/UTF-8/16KB Block Size. Everything else was default value. However, I get a "ORA-29807: specified operator does not exist" error. When I looked into the Create log file, the file, CreateDBCatalog.log has the following errors:
    No errors.
    No errors.
    drop table AUDIT_ACTIONS
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    CREATE ROLE exp_full_database
    ERROR at line 1:
    ORA-01921: role name 'EXP_FULL_DATABASE' conflicts with another user or role name
    CREATE ROLE imp_full_database
    ERROR at line 1:
    ORA-01921: role name 'IMP_FULL_DATABASE' conflicts with another user or role name
    drop table system.logstdby$skip_support
    ERROR at line 1:
    ORA-00942: table or view does not exist
    Warning: View created with compilation errors.
    Warning: View created with compilation errors.
    CREATE ROLE exp_full_database
    ERROR at line 1:
    ORA-01921: role name 'EXP_FULL_DATABASE' conflicts with another user or role name
    CREATE ROLE imp_full_database
    ERROR at line 1:
    ORA-01921: role name 'IMP_FULL_DATABASE' conflicts with another user or role name
    drop synonym DBA_LOCKS
    ERROR at line 1:
    ORA-01434: private synonym to be dropped does not exist
    drop view DBA_LOCKS
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    drop package body sys.diana
    ERROR at line 1:
    ORA-04043: object DIANA does not exist
    drop package sys.diana
    ERROR at line 1:
    ORA-04043: object DIANA does not exist
    drop table sys.pstubtbl
    ERROR at line 1:
    ORA-00942: table or view does not exist
    drop package body sys.diutil
    ERROR at line 1:
    ORA-04043: object DIUTIL does not exist
    drop package sys.diutil
    ERROR at line 1:
    ORA-04043: object DIUTIL does not exist
    drop procedure sys.pstubt
    ERROR at line 1:
    ORA-04043: object PSTUBT does not exist
    drop procedure sys.pstub
    ERROR at line 1:
    ORA-04043: object PSTUB does not exist
    drop procedure sys.subptxt2
    ERROR at line 1:
    ORA-04043: object SUBPTXT2 does not exist
    drop procedure sys.subptxt
    ERROR at line 1:
    ORA-04043: object SUBPTXT does not exist
    No errors.
    No errors.
    No errors.
    No errors.
    drop type dbms_xplan_type_table
    ERROR at line 1:
    ORA-04043: object DBMS_XPLAN_TYPE_TABLE does not exist
    drop type dbms_xplan_type
    ERROR at line 1:
    ORA-04043: object DBMS_XPLAN_TYPE does not exist
    No errors.
    DROP TABLE ODCI_SECOBJ$
    ERROR at line 1:
    ORA-00942: table or view does not exist
    DROP TABLE ODCI_WARNINGS$
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    No errors.
    No errors.
    No errors.
    drop sequence dbms_lock_id
    ERROR at line 1:
    ORA-02289: sequence does not exist
    drop table dbms_alert_info
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    drop table SYSTEM.AQ$_Internet_Agent_Privs
    ERROR at line 1:
    ORA-00942: table or view does not exist
    drop table SYSTEM.AQ$_Internet_Agents
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    DROP SYNONYM def$_tran
    ERROR at line 1:
    ORA-01434: private synonym to be dropped does not exist
    DROP SYNONYM def$_call
    ERROR at line 1:
    ORA-01434: private synonym to be dropped does not exist
    DROP SYNONYM def$_defaultdest
    ERROR at line 1:
    ORA-01434: private synonym to be dropped does not exist
    DBMS_DEBUG successfully loaded.
    PBUTL     successfully loaded.
    PBRPH     successfully loaded.
    PBSDE     successfully loaded.
    PBREAK     successfully loaded.
    DROP TYPE SYS.RewriteMessage FORCE
    ERROR at line 1:
    ORA-04043: object REWRITEMESSAGE does not exist
    DROP TYPE SYS.RewriteArrayType FORCE
    ERROR at line 1:
    ORA-04043: object REWRITEARRAYTYPE does not exist
    DROP TYPE SYS.ExplainMVMessage FORCE
    ERROR at line 1:
    ORA-04043: object EXPLAINMVMESSAGE does not exist
    DROP TYPE SYS.ExplainMVArrayType FORCE
    ERROR at line 1:
    ORA-04043: object EXPLAINMVARRAYTYPE does not exist
    No errors.
    drop view sys.transport_set_violations
    ERROR at line 1:
    ORA-00942: table or view does not exist
    drop table sys.transts_error$
    ERROR at line 1:
    ORA-00942: table or view does not exist
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    No errors.
    drop operator XMLSequence
    ERROR at line 1:
    ORA-29807: specified operator does not exist
    What does this mean?
    venki
    Edited by: thevenkat on Mar 11, 2009 10:17 PM

    Venki,
    The ORA-00942 is okay because there is no existing object. But what stuck me is the ORA-01921 error which may indicate that this might not be a new database.
    CREATE ROLE exp_full_database
    ERROR at line 1:
    ORA-01921: role name 'EXP_FULL_DATABASE' conflicts with another user or role name
    CREATE ROLE imp_full_database
    ERROR at line 1:
    ORA-01921: role name 'IMP_FULL_DATABASE' conflicts with another user or role name
    Are there any existing databases on this server? Have you tried to create it on other machine?I searched on Metalink too and found Doc ID: 237486.1 ORA-29807 Signalled While Creating Database using DBCA which say that eroror could be ignored. You may want to review that as well.
    Ittichai

  • My new password isn't working for in stalling elements 12.  I just changed it several minutes ago.  Will it take some time for it to feet in the system?

    I've got Elements 12 downloaded and now I'm trying to install it, but my new password isn't being accepted.  I just changed it a bit ago.  What should I do?  Does it need more time to get in the system, so to speak?    

    Hi,
    The only password is the one for you Adobe Id which I presume you are using to ask this question. If you can log on to the forum, it should work during the install.
    What error message do you see?
    Brian

  • My touchpad on my new computer isn't working properly

    I bought this new computer called HP Pavilion DV6 and the touch pad is always screwing up on me. I try to move left and it goes up, I try to click on something it won't click. It wont do anything that I want it to 99 percent of the time. This is really frustrating and does anyone know how to fix this issue.  I have updated to the latest version of updates and everything. I am not very happy with this touchpad. 

    If you tried updating the driver the only other thing to do is to reinstall the OS using the recovery manager.
     It sounds like a hard ware problem, it's a new computer it should work right out of the box, return it or exchange it for a new one.

  • Import error moving components to new instance

    I am new to APEX and am attempting to move components developed in the Oracle hosting instance of APEX to our new, in-house hosted site.
    Everything seems to be ok until the very end of the export when I receive an error when the following is executed:
    <start code>
    begin
    declare
    s1 varchar2(32767) := null;
    s2 varchar2(32767) := null;
    s3 varchar2(32767) := null;
    s4 varchar2(32767) := null;
    s5 varchar2(32767) := null;
    begin
    s1 := null;
    s2 := null;
    s3 := null;
    s4:=s4||'return false; end;--';
    s5 := null;
    wwv_flow_api.create_auth_setup (
    p_id=> 210165489245841025764 + wwv_flow_api.g_id_offset,
    p_flow_id=> wwv_flow.g_flow_id,
    p_name=> 'DATABASE ACCOUNT',
    p_description=>'Use database account credentials.',
    p_page_sentry_function=> s1,
    p_sess_verify_function=> s2,
    p_pre_auth_process=> s3,
    p_auth_function=> s4,
    p_post_auth_process=> s5,
    p_invalid_session_page=>'101',
    p_invalid_session_url=>'',
    p_cookie_name=>'',
    p_cookie_path=>'',
    p_cookie_domain=>'',
    p_ldap_host=>'',
    p_ldap_port=>'',
    p_ldap_string=>'',
    p_attribute_01=>'',
    p_attribute_02=>'wwv_flow_custom_auth_std.logout?p_this_flow=&APP_ID.&amp;p_next_flow_page_sess=&APP_ID.:1',
    p_attribute_03=>'',
    p_attribute_04=>'',
    p_attribute_05=>'',
    p_attribute_06=>'',
    p_attribute_07=>'',
    p_attribute_08=>'',
    p_required_patch=>'');
    end;
    null;
    end;
    ORA-06502: PL/SQL: numeric or value error ORA-06512: at "SYS.OWA_UTIL", line 325 ORA-06512: at "SYS.HTP", line 1322 ORA-06512: at "SYS.HTP", line 1397 ORA-06512: at "SYS.HTP", line 1689 ORA-06512: at "FLOWS_030000.WWV_FLOW_SW_API", line 428 ORA-01006: bind variable does not exist
    <end code>
    Can anyone help me with what this might be.
    Thanks in advance,
    Barry D.

    Scott,
    Sorry, I should have shared more details.
    APEX 3.0.1, RDBMS 10gR2. In summary, I am attempting to move an entire APEX application in the Oracle hosted instance, workspace PCPERMIT to an in-house hosted instance, workspace DEVPCPERMIT.
    The export seems to work without error. I am using the Export Application Utility
    (from selected application: EXPORT/IMPORT > EXPORT). I take all the defaults with the exception of OWNER OVERRIDE. I input the the new workspace name DEVPCPERMIT in this correpsonding box and save the SQL generated to my PC.
    With respect to import, I am logging into the DEVPCPERMIT workspace, uploading the script and executing from SQL WORKSHOP > SQL SCRIPTS > SCRIPT EDITOR. The scripts completes however when I view the results,
    the error that I mentioned is logged.
    Should you need anyother information, please let me know. Your help is appreciated.
    Thanks,
    Barry D.

  • Error after creating a new item in 'Case Worker'-- 'Agent Dashboard'-- 'Task Details' screen

    In 'Case Worker'-->'Agent Dashboard'--> 'Task Details' screen, I have created a item named 'YEARS' using 'Create Item' in 'Personalize Page' screen. It is not going to tasks page and giving error as "
    oracle.apps.fnd.framework.OAException: No entities found, entityMaps not defined for attachment item (YEARS)." How can I remove this field now..

    Please see the suggested solutions in the following docs.
    Entity Maps Not Defined For Attachment Error When Selecting A Deliverable (Doc ID 358385.1)
    Corrupt Personalization - No Entities Found Entitymaps Not Defined For Attachment Item (Doc ID 1085011.1)
    R12:Supplier Page Unexpected Error: 'No Entities Found EntityMaps not Defined for Attachment Item' (Doc ID 1361320.1
    Geography Hierarchy No Entities Found, EntityMaps Not Defined For Attachment Item (Doc ID 831088.1)
    Depot Repair Bulk Receiving Error: "No entities found, entityMaps not defined for attachment item" (Doc ID 1357977.1)
    Thanks,
    Hussein

  • Adding new feed isn't working

    I messed up and had my old feed deleted. I had the company Libsyn who is hosting my podcast change my show slug so I could resubmit my show to iTunes via feedburner. I kept getting a 504 error. I thought maybe everything hadn't synced up, so I waited a few hours to resubmit.
    I resubmitted and my now it says that the feed has already been submitted. What?! Arrrrrgh.
    So now what? I wish I could call iTunes and have someone straighten this out.

    The feed is OK and can be subscribed to manually from the 'Advanced' menu in iTunes, so from that point of view you are OK.
    The 504 error means a timeout - the server didn't respond to the request within a reasonable time - it looks as if that was a temporary problem which has gone away.
    Unfortunately when a podcast is removed from the Store for whatever reason, and then submitted again, the automated process will tell you that it has already been submitted (which is true but unhelpful). The workaround is to change the title slightly so that it looks like a new podcast. You should be able to change it back later, but if you do, make sure that the feed URL doesn't get changed in the process or you will have a new raft of problems.

  • POP configuration, add new account isn't working

    I have Apple Mail version 1.3.11 (v622/624) and the Gmail help instructions
    for configuring POP don't match what happens in my program. The
    instructions from Gmail say to click 'Mail' and select 'preferences'
    and a window should appear that allows me to enter all of the
    necessary information. Instead what happens is I get a window that
    talks about 'Rules'. I'm not sure what the 'rules' are, but am quite certain they
    have nothing to do with POP configuration.
    I have noticed that if I click on the Icon on the main menu bar in
    Apple Mail I can select "Create New Account" and it will lead me
    through an account set-up wizard. The problem is that it won't let me
    enter the server port information, the Use Secure Sockets Layer
    information, or check the 'use SSL' box, which changes the port to
    995.
    All of this means nothing to me except following the step-by-step
    rules by which I may hopefully download my emails from my new Gmail
    account. Unable to follow the rules because my Apple Mail program
    doesn't match the Gmail instructions and I can't find any location where I can enter the missing information. So, I can't download my emails.
    Argh. I was hoping to switch to Gmail but can't until I get this
    figured out.
    Anyone have any ideas?
    Thanks.
    Heidi.

    Mail Preferences > Accounts is not a set-up wizard that takes you through the process. That is a windows thingy.
    Mail Preferences Accounts is a series of dialogues that allow you to choose which elements you want to interact with and set custom settings. It doesn't walk you through. It is not a set-up wizard.
    GMail like Yahoo Mail and Hotmail are all web-based mail services accessed from your Safari or Firefox browser. It is not essential to have Mail configured to access Gmail. You can access it now from Safari.
    It is possible to access these services by manually configuring Mail as you are trying to do but it is the exception and not the rule that you are trying to achieve.
    Examine all of the dialogue choices in Mail Preferences to see what is available and learn what can be altered and how. Learn how a normal Mail account would be set if you used one with your ISP for example. The ISP's website will will explain those settings. From there see what extra mile you have to go to do the same for a web based mail service to route in through your Mail app.
    In the discussions searchbox, type in Gmail to find similar posts about accessing Gmail through Apple's Mail.

  • Please help! My new widescreen isn't working!

    So I bought a 22inch widescreen monitor for my 933mhz Quicksilver G4. The monitor has a resolution of 1680x1050. I used a DVI convertor and connected it to the ADC port.
    The problem is the picture doesn't look all that great, and worse, it looks really stretched out. The maximum resolution my computer is offering me is 1280x1024, and I swear it used to be higher when I had it hooked up to a CRT.
    I've tried to change the horizontal wideness on the monitor's controls, but that option isn't allowed (although when plugged into the VGA port it is).
    I spoke with the monitor companies tech support and he says that my computer is supposed to be able to support that monitor.
    I downloaded that driver that someone else posted on the forums, that didn't help.
    What do I do? Do I need a new video card (I currently have a GE Force 4MX)? Do I need some kind of update? A new driver or something?
    PowerMac G4 Quicksilver, 933Mhz   Mac OS X (10.4.2)  

    I'm running a 21" Samsung widescreen at the recommended 1680 x 1050 @ 60 Hz. When I first got it I did some experimenting with some older graphics cards in my MDD G4 booted into OS X Tiger and OS 9.2.2. All cards were flashed to the latest ATI ROM and were using the latest ATI drivers.
    It's true that OS X Tiger only displays the recommended resolutions for your graphics card, but with the large, widescreen, LCD monitors, you pretty much don't want to use any of the other possible resolutions. In OS 9.2.2 I was able to display all possible resolutions. Using an original Radeon for Mac, 32 MB card and a flashed PC Radeon 7000, 64 MB card, I couldn't achieve decent video with either. BTW, I used a DVI hook-up for all.
    Can't remember which one, but one wouldn't display widescreen resolutions at all (think it was the Radeon for Mac card, which is very old) and the other couldn't display up to 1680 x 1050, so I used a lesser widescreen resolution. The lesser widescreen resolution was adequate for just looking at your monitor, but couldn't play DVD movies without lowering the resolution even more. The best picture with either of them was not as sharp as the display model of my monitor in the store.
    Part of the problem is that neither of those old video cards provided Quartz Extreme support in OS X Tiger, much less Core Image support. That makes a big difference, at least with the large, widescreen monitors.
    What I'm telling you is that your video card is center of the issue. After you ensure that you have its ROM updated and you are using the latest drivers, if you still don't see 1680 x 1050 or any other widescreen resolutions as an option (based on the limited resolution info on NVIDIA's site, I think you already have the best resolution you can get and there aren't any supported widescreen resolutions), and/or System Profiler doesn't show Quartz Extreme supported, you should be looking for a new video card. I know that the Radeon 9000 will give you Quartz Extreme support (I put one in a friend's Sawtooth G4 w/ a 1.2 GHz processor upgrade and got QE supported, but not CI) and some widescreen resolutions, including 1680 x 1050.
    Good luck,
    Carl B.

  • Using -private in conjunction with -new-window isn't working correctly

    Using an external program to launch Firefox with command line arguments, it seems that using -private and -new-window URL doesn't seem to work correctly. It's almost as if one or the other gets completely ignored. Has anyone else noticed this?
    Ideally, i'd like to be able to ALWAYS launch a new window to a specified URL in private mode by default.

    It is not possible to open an external link in a Private Browsing mode window.
    You can look at this extension:
    *Private Tab: https://addons.mozilla.org/firefox/addon/private-tab/
    The Firefox menu button gets a purple background or you get a purple PB mask on the Menu bar or tab bar (Linux) when you are in a PB tab and all Private Browsing mode tabs get a dashed underlining unless you are in permanent PB mode.
    You can set the extensions.privateTab.allowOpenExternalLinksInPrivateTabs pref to true on the <b>about:config</b> page to see if that works (haven't tested this with a command line).

  • New tab isn't working - can't open a new tab

    I cannot open a new Tab, using OSX 10.9.4 and Firefox 31.0. I have tried the "+" and the keystroke. Thanks-

    Many users have discovered this problem (in Firefox 30 and higher) is caused by Conduit add-ons, such as a Conduit plugin and/or a "Community Toolbar" extension.
    You can check for and disable extensions on the Add-ons page. Either:
    * Command+Shift+a
    * "3-bar" menu button (or Tools menu) > Add-ons
    In the left column, click Extensions. Then, if in doubt, disable.
    Often a link will appear above at least one disabled extension to restart Firefox. You can complete your work on the tab and click one of the links as the last step.
    Does that help with the "+" button? If so, could you name the specific extension that caused the problem?
    You might also check the Plugins section of the Add-ons page. You can use "Never Activate" to disable plugins that you don't ordinarily use.

  • OPEN IN NEW TAB isn't working consistently

    Running FF 3.6.13 on W7 - Clean install on new machine. Ad Block Plus is the only add on for FF and the only other application that affects running applications is Avast AV Free version.
    Sometimes when I choose to right click and open in a new Tab, the new Tab will open as it should leaving me on the same page - sometimes it won't - it will move to the next most recent tab that was opened - not the tab that was just opened. Sometimes it will allow me to open multiple tabs without any issues - and other times it never works without shifting which tab is the active tab. It seems to work 100% of the time on Google - and close to 0% of the time on FaceBook - other sites seem to be in between.

    Many users have discovered this problem (in Firefox 30 and higher) is caused by Conduit add-ons, such as a Conduit plugin and/or a "Community Toolbar" extension.
    You can check for and disable extensions on the Add-ons page. Either:
    * Command+Shift+a
    * "3-bar" menu button (or Tools menu) > Add-ons
    In the left column, click Extensions. Then, if in doubt, disable.
    Often a link will appear above at least one disabled extension to restart Firefox. You can complete your work on the tab and click one of the links as the last step.
    Does that help with the "+" button? If so, could you name the specific extension that caused the problem?
    You might also check the Plugins section of the Add-ons page. You can use "Never Activate" to disable plugins that you don't ordinarily use.

  • New Site isn't working for me.

    I recently installed a new harddrive and now when I go to build a new site in iweb it takes me to "choose a template" but I am not able to select anything. I have one site currently built in iweb. Shouldn't I be able to have more than one?

    If you are trying to create a new site on the same Domain.sites2 file as the original, try the troubleshooting steps under "Fix iWeb" here...
    http://www.iwebformusicians.com/iWeb/iWeb-Tips.html

Maybe you are looking for