Almost there. Can't driver doesn't recognize variables in another class?

I know this has got to be an easy fix.. but i can't figure it out.so I'll put it all here... it's a program that serves as inventory. add items. sell items. etc...
this driver will not compile while the item and inventory classes compile fine.
// Project7BDriver.java
   import java.util.Scanner;
    public class Project7BDriver
       public static void main( String[] args )
           //Start Scanner to take input
         Scanner scan = new Scanner( System.in );
           //instantiate an Inventory
         Inventory myInventory = new Inventory(3);
           //find choice and continue until user quits
         int userChoice = 0;
         while( userChoice != 4 )
            menu();
            userChoice = scan.nextInt();
       public static void menuSwitch( int choice, Inventory myInventory )
           //Start Scanner to take input
         Scanner scan = new Scanner( System.in );
         switch( choice )
              //user possibilities
            case 1:
               System.out.print("Enter name of item to be added: ");
               itemName = scan.next();
               System.out.print("Enter id of item to be added: ");
               itemId = scan.nextInt();
               System.out.print("Enter quantity of item to be added: ");
               quantityInStock = scan.nextInt();
               System.out.print("Enter suggest retail value of item to be added: $");
               suggestedRetailValue = scan.nextDouble();
               myInventory.addNewItemToInventory(itemName, itemId, quantityInStock, suggestedRetailValue);
               break;
            case 2:
               System.out.print( inventory.toString() );
               break;
            case 3:
               System.out.print("Enter id of item to be sold: ");
               identification = scan.nextInt();
               System.out.print("Enter quantity of item to be sold: ");          
               sellQuantity = scan.nextInt();
               inventory.sellItem(identification, sellQuantity);
            case 4:
               System.out.println("\nGoodbye!");
               break;
            default:
               System.out.println("Sorry, invalid choice");
       public static void menu()
         System.out.println("\nInventory");
         System.out.println("*********");
         System.out.println("1: Add item to inventory");
         System.out.println("2: Print inventory");
         System.out.println("3: Sell item");
         System.out.println("4: Quit");
         System.out.print("\nEnter your choice: ");
   import java.text.NumberFormat;
    public class Inventory
        //INSTANCE VARIABLES
      private Item[] items;
      private double totalInventoryValue;
      private int numOfItemsInInventory;
      //CONSTRUCTOR
       public Inventory( int capacity )
         items = new Item[capacity];
         totalInventoryValue = 0.0;
         numOfItemsInInventory = 0;
        //METHODS
       public void increaseArraySize()
         Item[] temp = new Item[items.length + 3];
         for (int i = 0; i<items.length; i++)
            temp[i] = items;
items = temp;     
public void addNewItemToInventory (String itemName, int itemId, int quantityInStock,
                                                            double suggestedRetailValue)
if (numOfItemsInInventory == items.length)
increaseArraySize();
items[numOfItemsInInventory] = new Item (itemName, itemId, quantityInStock,
                                                                 suggestedRetailValue);
numOfItemsInInventory++;
totalInventoryValue = totalInventoryValue + suggestedRetailValue*quantityInStock;                                                                           
public void sellItem(int identification, int sellQuantity)
int indexItem = -1;
for (int j =0; j<numOfItemsInInventory; j++)
if(items[j].getID() == identification)
indexItem = j;
if(indexItem == -1)
System.out.println("The item you are searching for could not be found.\n " +
                         "Sale not completed.");
else
if(sellQuantity > items[indexItem].getQuantity())
System.out.println("It is not possible to buy more items than we have in stock.\n" +
                              "Sale not completed.");
else
totalInventoryValue -= items[indexItem].getValue()*sellQuantity;               
numOfItemsInInventory -= sellQuantity;
public String toString()
NumberFormat fmt = NumberFormat.getCurrencyInstance();
String result = "Item ID\t\tItem Name\t\tItem Quantity\t\tRetail Value";
result += "\n-------\t\t---------\t\t-------------\t\t------------";
for( int i = 0; i < numOfItemsInInventory; i++ )
result += "\n" + items[ i ];
result += "\n\nTotal value of inventory: " + fmt.format( totalInventoryValue );
return result;
} import java.text.NumberFormat;
public class Item
     //INSTANCE VARIABLES
     //name of item
private String itemName;
     //id of item
private int itemID;
     //present quantity of item in stock
private int quantityInStock;
     //suggested price for item
private double suggestedRetailValue;
     //CONSTRUCTOR
public Item( String name, int id, int quantity, double value )
itemName = name;
itemID = id;
quantityInStock = quantity;
suggestedRetailValue = value;
     //CLASS GETTERS
public String getName()
return itemName;
public int getID()
return itemID;
public int getQuantity()
return quantityInStock;
public double getValue()
return suggestedRetailValue;
     //CLASS SETTERS
public void setName( String name )
itemName = name;
public void setID( int id )
itemID = id;
public void setQuantity( int quantity )
quantityInStock = quantity;
public void setValue( double value )
suggestedRetailValue = value;
     //TOSTRING method
public String toString()
NumberFormat fmt = NumberFormat.getCurrencyInstance();
String result = "" + itemID + "\t\t\t" + itemName + "\t\t" + quantityInStock + "\t\t\t" + fmt.format( suggestedRetailValue );
return result;

ahhh okay thanks a whole lot!!one more thing.. everything compiles.. but i can't figure a few things out.. even after debugging..when i add items to inventory.. it has null in the list of items...also.. I'm just having trouble with selling items.. here'e the code. if someone could run it and explain how to correct the errors that would be great
   import java.util.Scanner;
    public class Project7BDriver
       public static void main( String[] args )
           //Start Scanner to take input
         Scanner scan = new Scanner( System.in );
           //instantiate an Inventory
         Inventory myInventory = new Inventory(3);
           //find choice and continue until user quits
         int choice = 0;
         while( choice != 4 )
            menu();
            choice = scan.nextInt();
            menuSwitch(choice, myInventory);
       public static void menuSwitch( int choice, Inventory myInventory )
           //Start Scanner to take input
         Scanner scan = new Scanner( System.in );
         switch( choice )
              //user possibilities
            case 1:
               System.out.print("Enter name of item to be added: ");
               String itemName = scan.next();
               System.out.print("Enter id of item to be added: ");
               int itemId = scan.nextInt();
               System.out.print("Enter quantity of item to be added: ");
               int quantityInStock = scan.nextInt();
               System.out.print("Enter suggest retail value of item to be added: $");
               double suggestedRetailValue = scan.nextDouble();
               myInventory.addNewItemToInventory(itemName, itemId, quantityInStock, suggestedRetailValue);
               break;
            case 2:
               System.out.print( myInventory.toString() );
               break;
            case 3:
               System.out.print("Enter id of item to be sold: ");
               int identification = scan.nextInt();
               System.out.print("Enter quantity of item to be sold: ");          
               int sellQuantity = scan.nextInt();
               myInventory.sellItem(identification, sellQ2uantity);
               break;
            case 4:
               System.out.println("\nGoodbye!");
               break;
            default:
               System.out.println("Sorry, invalid choice");
       public static void menu()
         System.out.println("\nInventory");
         System.out.println("*********");
         System.out.println("1: Add item to inventory");
         System.out.println("2: Print inventory");
         System.out.println("3: Sell item");
         System.out.println("4: Quit");
         System.out.print("\nEnter your choice: ");
   import java.text.NumberFormat;
    public class Item
        //INSTANCE VARIABLES
        //name of item
      private String itemName;
        //id of item
      private int itemID;
        //present quantity of item in stock
      private int quantityInStock;
        //suggested price for item
      private double suggestedRetailValue;
        //CONSTRUCTOR
       public Item( String name, int id, int quantity, double value )
         itemName = name;
         itemID = id;
         quantityInStock = quantity;
         suggestedRetailValue = value;
        //CLASS GETTERS
       public String getName()
         return itemName;
       public int getID()
         return itemID;
       public int getQuantity()
         return quantityInStock;
       public double getValue()
         return suggestedRetailValue;
        //CLASS SETTERS
       public void setName( String name )
         itemName = name;
       public void setID( int id )
         itemID = id;
       public void setQuantity( int quantity )
         quantityInStock = quantity;
       public void setValue( double value )
         suggestedRetailValue = value;
        //TOSTRING method
       public String toString()
         NumberFormat fmt = NumberFormat.getCurrencyInstance();
         String result = "" + itemID + "\t\t\t" + itemName + "\t\t" + quantityInStock + "\t\t\t" + fmt.format( suggestedRetailValue );
         return result;
   import java.text.NumberFormat;
    public class Inventory
        //INSTANCE VARIABLES
      private Item[] items;
      private double totalInventoryValue;
      private int numOfItemsInInventory;
      //CONSTRUCTOR
       public Inventory( int capacity )
         items = new Item[capacity];
         totalInventoryValue = 0.0;
         numOfItemsInInventory = 0;
        //METHODS
       public void increaseArraySize()
         Item[] temp = new Item[items.length + 3];
         for (int i = 0; i<items.length; i++)
            temp[i] = items;
items = temp;     
public void addNewItemToInventory (String itemName, int itemId, int quantityInStock,
                                                            double suggestedRetailValue)
if (numOfItemsInInventory == items.length)
increaseArraySize();
items[numOfItemsInInventory] = new Item (itemName, itemId, quantityInStock,
                                                                 suggestedRetailValue);
numOfItemsInInventory += quantityInStock;
totalInventoryValue = totalInventoryValue + suggestedRetailValue*quantityInStock;                                                                           
public void sellItem(int identification, int sellQuantity)
int indexItem = -1;
for (int j =0; j<numOfItemsInInventory; j++)
if(items[j].getID() == identification)
indexItem = j;
if(indexItem == -1)
System.out.println("The item you are searching for could not be found.\n " +
                         "Sale not completed.");
else
if(sellQuantity > items[indexItem].getQuantity())
System.out.println("It is not possible to buy more items than we have in stock.\n" +
                              "Sale not completed.");
else
totalInventoryValue -= items[indexItem].getValue()*sellQuantity;          
numOfItemsInInventory -= sellQuantity;
public String toString()
NumberFormat fmt = NumberFormat.getCurrencyInstance();
String result = "Item ID\t\tItem Name\t\tItem Quantity\t\tRetail Value";
result += "\n-------\t\t---------\t\t-------------\t\t------------";
for( int i = 0; i < numOfItemsInInventory; i++ )
result += "\n" + items[ i ];
result += "\n\nTotal value of inventory: " + fmt.format( totalInventoryValue );
return result;

Similar Messages

  • Pavilion dv7-1232nr dvd rw drive doesn't recognize some dvds how can I fix this problem?

    My pavilion dv7-1232nr dvd rw drive doesn't recognize some dvds how can I fix this problem? I am running Win 7 home premium 64 bit.

    If these are new original DVD, you should bring your system in for alignment. If they are copied DVDs, the drive that made them may be out of alignment and your good drive can't read the bad copy.  There is also another issue you may be talking about. Many DVD movies are assigned a country code and will not run on a machine from another country.  This was intended to prevent piracy.
    Reminder: Please select the "Accept as Solution" button on the post that best answers your question. Also, you may click on the white star in the "Kudos" button for any helpful post to give that person a quick thanks. These feedback tools help keep our community active, so you receive better answers faster.

  • DVD Drive Doesn't recognize Media Disc

    I have an Envy dv7. Product # B6B75AV. DVD drive hpBD MLT UJ260
    I have a program that will copy a dvd from the source, dvd drive #1, to the target same dvd drive #1.
    When it is done copying the disc it ejects the original and asks to have a writable media disc inserted. 
    When I insert the DVD  the drive doesn't recognize the blank dvd, keeps asking for it, and when I put it in, it spits back out saying to insert a writable disc.  I have used the blank DVD+R for burning other things so it should work.  I tired putting in 4 different blank discs to make sure the disc was ok.
    Is there anyway to find out for sure whether this DVD writer uses DVD+R or DVD-R?
    Any help will be appreciated.

    Hi,
    You can view all the media capabilities of your optical drive using the free application on the following link.
    http://www.vso-software.fr/products/inspector/inspector.php
    Regards,
    DP-K
    ****Click the White thumb to say thanks****
    ****Please mark Accept As Solution if it solves your problem****
    ****I don't work for HP****
    Microsoft MVP - Windows Experience

  • Dv2915nr cd/dvd drive doesn't recognize when disk in. drive doesnt show up in device manager.

    dv2915nr cd/dvd drive doesn't recognize when disk in. drive doesnt show up in device manager.

    Hi,
    Here's one option you could try as it will give a good indication whether the problem is with Windows or a Hardware issue with the optical drive itself. 
    Create a bootable Ubuntu CD
    The Ubuntu CD you create should run as you boot the notebook ( ie outside of Windows operating system ), so if this will not run, the problem is almost certainly a Hardware issue with the DVD drive
    On another PC, follow the procedure on the link below to create a bootable Ubuntu CD and follow the steps in Part 3 to 'Try it' to see if this OS will run from the CD.  The 'try it' option does not need to install on the Hard Drive, it just runs from the CD.
    http://www.ubuntu.com/desktop/get-ubuntu/download
    Let me know if this will run.
    Regards,
    DP-K
    ****Click the White thumb to say thanks****
    ****Please mark Accept As Solution if it solves your problem****
    ****I don't work for HP****
    Microsoft MVP - Windows Experience

  • Tecra M4 - DVD drive doesn't recognize any disk under Vista

    Hi,
    after the installation of Vista my dvd drive doesn't recognize any disks !
    No upgrade from XP! It was a clean Vista installation.
    I found several links about the registry entries upper and lower filter this entries doesn't exist in my registry under the class CDROM.
    I tested the drive under XP it works fine and recognizes everything.
    Drivers are correctly installed no problems in the device manager is prompted.
    So i have no idea how to get it working, seems to be a Vista problem
    Could any one help me ? I'm really frustrated about this
    Thanks for your help

    Maybe this helps:
    - Remove the CD/DVD drive from the device manager.
    - Then access the registry and remove the Upperfilters and Lowerfilters values completely from the following registry key:
    HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Contro l\Class\{4D36E965-E325-11CE-BFC1-08002BE10318}
    - Then reboot the notebook
    But what happens exactly? What disks are not recognized?

  • Can one obj access a private variable of another obj of the same class

    Can one object access a private variable of another object of the same class?
    If so, how?

    Declaring variable private means you can not access this variable outside class
    But other objects of same class can access it. Because each object have separate copy of variable and may have diff. contents for same variable.

  • I installed Lion, now my dvd drive doesn't recognize any files on dvd. Please help.

    I'm a photographer with tons on images on dvd and my dvd drive now doesn't recognize any files on any of my dvd's. Help!!!

    After 3 trips to the Apple store this week, the issue is still unresolved. The photo dvd's open just fine on Snow Leopard, but are not recognized at all on Lion. I'm guessing since the DVD's were originally burned on a PC, they will no longer work. After finding out that PowerPC is no longer recognized by Lion and I can no longer use Nikon NX2 (Photo editing software), I will be re-installing Snow Leopard. According to the Apple store in Lancaster, Pa. there is no refund available for my Lion purchase. I have a ton of photo DVD's, most of which will not open since I've only recently switched to an IMAC system. It has made me think about returning to the PC world. I'm VERY unhappy with these developments and I really need to re-think my computer situation. I don't do much else besides photography. My purchases and time spent with my IMAC has aparently been a great waste.

  • Drive doesn't recognize ANY DVDs  or CDs?

    Can someone explain real simple stupid like how to try to get my DVD/CD player to recognize disks again. I have a PIONEER DVD-RW DVR-103 in my G4 am using Tiger 10.4.3. After installing Tiger my computer has fallen to pieces and this is the last one. Now I am seriously considering cleaning out the entire machine and starting anew as I have a G5 on order. Problem is how can I even reinstall is my DVD drive won't recognize any disks? It spins and spins and spits out the DVD. It will read nothing.
    Thanks, Steph

    One day the Pioneer DVR-106 drive I had in my G4 MDD stopped working it would accept disks. I tired everything. calls to apple care didnt help since this was an upgrade I added. I read everything on every site.
    finally took the drive out of the computer and as I turned it over I heard a rattle. it had never rattled before. A search of posts on www.xlr8yourmac.com lead me to a posting about parts inisde the drive failing and in some cases some miniscule part could cause the drive to fail to read any disc. I was at my wits end and decided what the heck I was planning on Buying a new DVD-R drive anyway, so I opened the puppy up. I put everything out on my white utility table and took care to track every screw. To give me a reference point to how the drive looks and works I took apart a different CDROM drive that no longer worked. I noticed both units were similar internally.
    well to make a long story short the culprit was a piece of dust that had got onto the Laser Lens and a piece of metal, some spring that lodged itself near the midle. It was magnetized and stuck to the drive middle area. I took the piece out and crossed my fingers. put it back together and decided to put it in an External 5.25" FW400 case which i have a few siting around for when I pull old HD's. Plugging in the now external Pioneer DVR-106 the unit turned on a-ok and voila the Mac recognized it and was able to read every DVd and CD and perfomred a succesflu burns for many DVD data discs and Audio CD's.
    I posted my experience on xlr8yourmac.com and I am pretty sure I lucked out. But hey worse comes to worse, you can always pop that puppy open and see whats there. never know.
    good luck anyway and you probably just better of to buy a new OEM Pioneer Superdrive, OWC aka macsales.com has some good bundles also Newegg.com has better deals for people who just want the Bare drive sans disks, cables, etc.

  • Combo drive doesn't recognize DVD movies

    a665s5186 (1 year old) dvd/cd combo drive does not recognize dvd movies (does not show up in my computer).
    Cd's play, record fine! Will recognize previously burnt sony dvd's, will not recognize previously burnt memorex dvd's. Will recognize blank sony and memorex dvd's and burn files to them, after ejecting will not recognize memorex dvd's, will recognize sony dvd's? MY SYSTEM BACK UP DISCS I BURNT TO MEMOREX DISCS CANNOT RE- INSTALL OPERATING SYSTEM. Please help my combo drive recognize and play dvd movies.
    Solved!
    Go to Solution.

     Peter,
     I apologize for the hiatus. I tried several restore points, and reinstalled to out of the box state from the hard drive partition. Neither corrected the problem.
     Out of curiosity, I installed Ubuntu operating system. The problem is duplicated, combo drive recognizes CDs does not recognize commercial DVD's. Does not recognize Microsoft office home & student 2010 installation disc,etc.
     What else can I do? With the problem being duplicated with another operating system is it safe to say this is a hardware problem (the combo drive is defective?)
     Thank You,
     TPeterson1st

  • Is there a way to reference a private variable from one class in another?

    My first class starts off by declaring variables like so:
    class tStudent {
      // declare student name, id, grades 1 & 2, and gpa
      private String fname, lname, g1, g2;
      private int id;
      private double gpa;
      // define a constructor for a new student
      tStudent () {fname=lname=g1=g2=null; id=-1; gpa=0.0;}
      // define methods for manipulating the data members.
      // readStudent: reads information for just one student
    public void read (Scanner input) {
          fname = input.next();
          lname = input.next();
          id = input.nextInt();
          g1 = input.next();
          g2 = input.next();
    }And the second class:// tStudentList: for a list of students
    class tStudentList {
      private int nStudents;
      private tStudent[] list;
      // constructor for creating student list
      tStudentList() {
          list = new tStudent[36];
          for (int i=0; i < 36; i++) list=new tStudent();
    // read the individual students into the student list
    public void read(Scanner scan) {
    nStudents=0;
    while (scan.hasNext()) {list[nStudents++].read(scan);}
    // display the list of all students - fname, lname, id, g1, g2 and gpa
    // with an appropriate header so the output matches my sample //output
    public void print() {
    Is there a way to reference the variables in the first class to use in the second? Specifically in the last section of code where I am going to print the list.

    Not without resorting to reflection hackery. If the fields are private (and are supposed to be), then that means "don't allow access to these to outsiders of this class" by design.
    So if you really meant them to be accessible, then don't use private, or provide public accessors for them.

  • L355D DVD drive doesn't recognize some Photoshop CS2 disks

    I have 2 Toshiba Laptops, one with XP, one with Vista (L355D).  Neither one will even recognize my Adobe Photoshop CS2 install disk.  This Disk works fine in ALL other computers (3) I have tried it on.  Any Ideas???

    If these are new original DVD, you should bring your system in for alignment. If they are copied DVDs, the drive that made them may be out of alignment and your good drive can't read the bad copy.  There is also another issue you may be talking about. Many DVD movies are assigned a country code and will not run on a machine from another country.  This was intended to prevent piracy.
    Reminder: Please select the "Accept as Solution" button on the post that best answers your question. Also, you may click on the white star in the "Kudos" button for any helpful post to give that person a quick thanks. These feedback tools help keep our community active, so you receive better answers faster.

  • Nvidia driver doesn't recognize GTX 275

    I've followed the steps on the wiki for the nvidia driver, but when I start X it does not recognize my GTX 275 card.  I think the driver may simply not support this card yet (it doesn't according to nvidia).  Can anyone confirm this?  Does anyone know when a new driver will be released?  Also, would the nouveau driver work temporarily until nvidia releases something?

    We were having a similar issue.  For some reason, the line that specifies which driver to use was not added to the xorg.conf file after installation.  The steps shown above by deej are basically the same, but they add a lot of fluff to the xorg.conf file that may not be needed.
    We were able to add it and get it to work by simply adding the following line to the xorg.conf file:
    Section "Device"
    Identifier "Doesn't matter what this says"
    Driver "nvidia" <-- This is the line we added
    EndSection
    Don't know if this applies to this distro as well (we are running ubuntu), but we had to change the file /etc/default/linux-restricted-modules-common from this:
    DISABLED_MODULES=""
    To this:
    DISABLED_MODULES="nv" <-- We had to restart after this step
    We have not done thorough testing on our machines, but have three of them up and running properly now.  We have several more machines to work on and I'll try and get the exact process we are using posted on here (ex. Modify filex, install drivers, modify filey, etc.).
    Last edited by tineras (2009-07-17 13:59:59)

  • Zen Xtra driver doesn't recognize dev

    Well, the saga began when I decided to update the drivers, firmware, and MediaSource software for my Zen Xtra (60GB). The first thing I did was update the driver (from version .23.00) to the latest (.30.03). Without even thinking about whether that would cause problems, I moved directly to updating the firmware. The instructions on Creative's download page explained how to update the firmware, including the dreaded "Reload OS", which erases the old firmware. I did this, and moved on. The next step was to re-connect the device, and run the new firmware program. The problem here was that the device was not detected, so I could not proceed. My Zen Xtra suddenly became a nice paper weight.
    After much troubleshooting, I discovered that when plugging the device into another computer (a laptop), the laptop did recognize the device. The laptop was using the original drivers and software as shipped on the CD. I was able to continue with the firmware update from the laptop.
    Moving back to the original machine where I had installed the .30.03 driver, it continued to fail to recognize the device. Reverting to the old driver (.23.00) resolved the problem.
    So, my question is, what is the problem with the .30.03 driver? Is it known? And is there a workaround? Also, where can I obtain the driver releases in between .23.00 and .30.03 to try them?
    Thanks in advance,
    toddor

    There has been the odd issue with the driver, but nothing common or definiti've.
    You can force the device to look for the driver in the install folder, C:\Program Files\Creative\Jukebox 3 Drivers, assuming it installed OK. You can do this by going into Device Manager, finding the Zen Xtra, double-clicking on it (to go to its property page), then choose the Update Drivers button. Make sure to then choose the advanced option so you can specify the directory.

  • DVD drive doesn't recognize blank DVDs or allow burns

    I got a 20", 2.4 Ghz Intel Imac not too long ago, with Leopard already installed. I'd been using Parallels or Boot Camp to do all by DVD burning in Windows until recently. The first time I tried to do it in OSX 10.5.1, it didn't work right. The DVD icon does not show up on the desktop, though it's acknowledged when it's inserted, and a box pops up asking for me to perform an action. But I can't get it to burn a simple data DVD through disk utility, or even in DVD Studio Pro. I saw other threads about this, wondering if anyone has a solution. A file ending in .plist was mentioned, that you should move from its folder if you find it. I didn't find it. What else can I do? Works fine in Windows through Boot Camp or Parallels, and once a disc has something on it, it'll show up when put in the DVD drive. It's only blanks that are "invisible".

    You issue sounds similiar to all of us in the other chat thread. Go to "MATSHITA superdrive has died" and post your comments there, perhaps more people post, it might get Apple's attention.

  • NVIDIA Driver doesn't recognize entire screen[SOLVED]

    Hello,
    i just installed Arch Linux onto a 4GB USB drive to test Arch Linux natively on my desktop PC.
    It has a GeForce GTX 580 so I installed pacman -S nvidia + xorg-server and gnome.
    My monitors native resolution is 1920x1200 @ 60Hz and it is conected via HDMI.
    Now it looks like I have a smaller (active area) screen within my screen and 2-3cm black borders on the side.
    WIthin that is the actual desktop which doesn't fill the entire active area either. You can see that because
    it still has black borders which are little bit lighter thou.
    When I use nvidia-settings and set my Desktop to 1920x1200 it streches into the disabled area. I have
    to use 1680x1050 in order to have the entire desktop accessible.
    During installation everything was fine with nouveau and my setup was using the native resolution. After
    I booted my stick for the first time it loaded nouveau to but also didn't use my screen right. So I'm a bit
    puzzled.
    Anyone has advice?
    Kind Regards,
    blackout23
    Last edited by blackout23 (2012-05-30 11:59:42)

    Do you have any advice on how to do that? I searched the internet for "VX2835wm EDID linux" and found similiar problems but no real solution.
    I can get my EDID Information when booted into Windows but I don't think I can use it as Option "CustomEDID" "DFP-1:/..." The binaries
    I get with AcquireEDID in the nvidia settings while in linux look very diffrent.
    Vendor/Product Identification:
    Monitor Name : VX2835wm
    Monitor Serial Number : QFG081100497
    Manufacturer Name : ViewSonic Corporation
    Product Id : F1F
    Serial Number : 16843009
    Week Of Manufacture : 11
    Year Of Manufacture : 2008
    EDIDVersion : V1.3
    Number Of Extension Flag : 1
    Display parameters:
    Video Input Definition : Digital Signal
    DFP1X Compatible Interface : False
    Max Horizontal Image Size : 590 mm
    Max Vertical Image Size : 370 mm
    Max Display Size : 27,4 Inches
    Power Management and Features:
    Standby : Not Supported
    Suspend : Not Supported
    ActiveOff : Supported
    Video Input : 1
    sRGB Default ColorSpace : True
    Default GTF : Not Supported
    Prefered Timing Mode : True
    Gamma/Color and Etablished Timings:
    Display Gamma : 2,2
    Red : x = 0,65 - y = 0,329
    Green : x = 0,3 - y = 0,623
    Blue : x = 0,142 - y = 0,065
    White : x = 0,316 - y = 0,341
    Etablished Timings :
    800 x 600 @ 60Hz (VESA)
    800 x 600 @ 56Hz (VESA)
    640 x 480 @ 75Hz (VESA)
    640 x 480 @ 72Hz (VESA)
    640 x 480 @ 67Hz (Apple, Mac II)
    640 x 480 @ 60Hz (IBM, VGA)
    720 x 400 @ 70Hz (IBM, VGA)
    1280 x 1024 @ 75Hz (VESA)
    1024 x 768 @ 75Hz (VESA)
    1024 x 768 @ 70Hz (VESA)
    1024 x 768 @ 60Hz (VESA)
    832 x 624 @ 75Hz (Apple, Mac II)
    800 x 600 @ 75Hz (VESA)
    800 x 600 @ 72Hz (VESA)
    1152 x 870 @ 75Hz (Apple, Mac II)
    Display Type : RGB Color Display
    Standard Timing:
    Standard Timings n° 3
    X Resolution : 1600
    Y Resolution : 1200
    Vertical Frequency : 60
    Standard Timings n° 5
    X Resolution : 1400
    Y Resolution : 1050
    Vertical Frequency : 60
    Standard Timings n° 6
    X Resolution : 1280
    Y Resolution : 1024
    Vertical Frequency : 60
    Standard Timings n° 7
    X Resolution : 1280
    Y Resolution : 960
    Vertical Frequency : 60
    Standard Timings n° 8
    X Resolution : 1152
    Y Resolution : 864
    Vertical Frequency : 75
    Preferred Detailed Timing:
    Pixel Clock : 154 Mhz
    Horizontal Active : 1920 pixels
    Horizontal Blanking : 160 pixels
    Horizontal Sync Offset : 48 pixels
    Horizontal Sync Pulse Width : 32 pixels
    Horizontal Border : 0 pixels
    Horizontal Size : 593 mm
    Vertical Active : 1200 lines
    Vertical Blanking : 35 lines
    Vertical Sync Offset : 3 lines
    Vertical Sync Pulse Width : 6 lines
    Vertical Border : 0 lines
    Vertical Size : 371 mm
    Input Type : Digital Separate
    Interlaced : False
    VerticalPolarity : False
    HorizontalPolarity : True
    Monitor Range Limit:
    Maximum Vertical Frequency : 76 Hz
    Minimum Vertical Frequency : 50 Hz
    Maximum Horizontal Frequency : 82 KHz
    Minimum Horizontal Frequency : 30 KHz
    Maximum Pixel Clock : 150 MHz
    Stereo Display:
    Stereo Display : Normal display (no stereo)
    RAW Data:
    0x00 00 FF FF FF FF FF FF 00 5A 63 1F 0F 01 01 01 01
    0x10 0B 12 01 03 80 3B 25 78 2E 9E 71 A6 54 4C 9F 24
    0x20 10 51 57 BF EF 80 D1 00 B3 00 A9 40 95 00 90 40
    0x30 81 80 81 40 71 4F 28 3C 80 A0 70 B0 23 40 30 20
    0x40 36 00 51 73 21 00 00 1A 00 00 00 FF 00 51 46 47
    0x50 30 38 31 31 30 30 34 39 37 0A 00 00 00 FD 00 32
    0x60 4C 1E 52 0F 00 0A 20 20 20 20 20 20 00 00 00 FC
    0x70 00 56 58 32 38 33 35 77 6D 0A 20 20 20 20 01 2E
    EDIT: Might have a solution will see if it works.
    http://forums.fedoraforum.org/showthread.php?t=227635
    Last edited by blackout23 (2012-05-30 11:32:34)

Maybe you are looking for

  • Mac book pro - general issues i'm having

    I swear since i bought my macbook pro 9 months ago there has been nothing but trouble with it. The longer i have it the more that seems to go wrong. Now i have a few issues and were wondering if these were normal or not really. The first issue i have

  • How can I get the store to keep my filter settings while browsing apps (with  iPad)

    While looking for apps via(and for) my iPad, often I will start with a simple one word search term, then use the category, rating, price, and product filters to narrow my search - works great. BUT if I select an app to go to it's details page, when I

  • Creation of Asset with Sub-number

    Hi Gurus, Would like to ask for your expert advice regarding the creation of Asset using Sub-numbers.  We have seversal assets where expenses and depreciation will be divided into different cost centers. We are planning to use asset subnumber for eas

  • How to use a second computer just to listen to iPod?

    I want to use my computer at work to listen to the music on my Nano, not to manage it. My personal laptop is the Nano's "home" computer. I have iTunes installed on my work computer, but I don't want to transfer my Nano contents to that computer. I ju

  • Requiring a digital signature prior to hitting "Submit By E-mail"

    How do I make it a requirement to digitally sign a form when selecting the "Submit By E-Mail"?