Rediculous amounts of problems

Alright so in the last 30min I've created a recipe for disaster and stressed myself out. Can't seem to get anything working properly anymore and these forums appear to be a last resort :(
I wanted the Summary button to display Grand Total the same way the textArea.append does, cost of each make total....number of cars of that make...ect.
Basically I wanted the output to be as such....
Cadillacs: 6
Cost: $2902.00
Fords: 2
Cost: $209.00
Toyotas: 5
Cost: $893.00
Total Number of Cars: 13
Grand Total Cost: (whatever 2902 + 209 + 893 is)
I kind of stopped half way because I'm going out of my mind trying to get anything to work right.
And getRootPane().setDefaultButton(calculateTotalButton); didn't work as easily as I thought it would, So I'm back to square one on that :(
Heres the code, help if you will, it's very much appreciated I promise. Otherwise I'm stuck in a rut and I'll have to find another way to go about this :(
PRESENTATION CLASS
//Import all swing utilities
import javax.swing.*;
import java.awt.*;
import java.awt.event.*;
import java.text.DecimalFormat;
public class rentalPresentation extends JFrame implements ActionListener {
     // Define the Frame Options
     private static final int FRAME_WIDTH = 375;
     private static final int FRAME_HEIGHT = 600;
     private static final int FRAME_X_ORIGIN = 150;
     private static final int FRAME_Y_ORIGIN = 250;
     private static final int BUTTON_WIDTH = 80;
     private static final int BUTTON_HEIGHT = 30;
     // Define everything that will go into the frame
     private JButton calculateTotalButton;
     private JButton summaryButton;
     private JLabel customerNameLabel;
     private JLabel daysLabel;
     private JLabel milesLabel;
     private JTextField customerNameField;
     private JTextField milesField;
     private JTextField daysField;
     private JTextArea textArea;
     private JScrollPane textBoxScroll;
     JRadioButton fordRadioButton = new JRadioButton("Ford");
     JRadioButton cadillacRadioButton = new JRadioButton("Cadillac");
     JRadioButton toyotaRadioButton = new JRadioButton(
               "Toyota                       ");
     ButtonGroup carsButtonGroup = new ButtonGroup();
     private double grandTotal = 0.00;
     private double otherTotal = 0.00;
     public static void main(String[] args) {
          // Load the frame into memory and make it visible
          rentalPresentation frame = new rentalPresentation();
          frame.setVisible(true);
     public rentalPresentation() {
          Container contentPane;
          carsButtonGroup.add(fordRadioButton);
          carsButtonGroup.add(cadillacRadioButton);
          carsButtonGroup.add(toyotaRadioButton);
          // Set the contents of everything that goes into the frame, then
          // add these Labels and Text fields onto the frame
          setSize(FRAME_WIDTH, FRAME_HEIGHT);
          setResizable(false);
          setTitle("Rental Calculation");
          setLocation(FRAME_X_ORIGIN, FRAME_Y_ORIGIN);
          contentPane = getContentPane();
          contentPane.setLayout(new FlowLayout());
          contentPane.add(fordRadioButton);
          contentPane.add(cadillacRadioButton);
          contentPane.add(toyotaRadioButton);
          customerNameLabel = new JLabel();
          customerNameLabel.setText("Customer Name: ");
          customerNameLabel.setSize(150, 25);
          contentPane.add(customerNameLabel);
          customerNameField = new JTextField();
          customerNameField.setColumns(20);
          contentPane.add(customerNameField);
          daysLabel = new JLabel();
          daysLabel.setText("Days Rented: ");
          daysLabel.setSize(150, 25);
          contentPane.add(daysLabel);
          daysField = new JTextField();
          daysField.setColumns(20);
          contentPane.add(daysField);
          milesLabel = new JLabel();
          milesLabel.setText("Miles Driven: ");
          milesLabel.setSize(150, 25);
          contentPane.add(milesLabel);
          milesField = new JTextField();
          milesField.setColumns(20);
          contentPane.add(milesField);
          customerNameField.addActionListener(this);
          daysField.addActionListener(this);
          milesField.addActionListener(this);
          calculateTotalButton = new JButton("Calculate");
          calculateTotalButton.setSize(BUTTON_WIDTH, BUTTON_HEIGHT);
          contentPane.add(calculateTotalButton);
          summaryButton = new JButton("Summary");
          summaryButton.setSize(BUTTON_WIDTH, BUTTON_HEIGHT);
          contentPane.add(summaryButton);
          textArea = new JTextArea();
          textArea.setColumns(30);
          textArea.setRows(20);
          textArea.setLineWrap(true);
          textBoxScroll = new JScrollPane(textArea);
          textBoxScroll
                    .setVerticalScrollBarPolicy(JScrollPane.VERTICAL_SCROLLBAR_ALWAYS);
          textArea.setBorder(BorderFactory.createLineBorder(Color.RED));
          // Set to non edit and add a scrolling bar to the text area
          textArea.setEditable(false);
          contentPane.add(textBoxScroll);
          calculateTotalButton.addActionListener(this);
          summaryButton.addActionListener(this);
          // Closes the program
          setDefaultCloseOperation(EXIT_ON_CLOSE);
     public void actionPerformed(ActionEvent event) {
          String carString = "D";
          String carDisplay = "Default";
          // Define the format in which shipCost will be displayed
          DecimalFormat df = new DecimalFormat("$0.00");
          // Extract the user input and make them strings / integers
          String customer = customerNameField.getText();
          String days = daysField.getText();
          String miles = milesField.getText();
          int daysInt = Integer.parseInt(days);
          double milesDouble = Double.parseDouble(miles);
          JButton clickedButton = (JButton) event.getSource();
          if (event.getSource() instanceof JButton) {
               // If you click the Calculate button, display this output to
               // the text area
               if (clickedButton == calculateTotalButton) {
                    if (fordRadioButton.isSelected()) {
                         carString = "F";
                         carDisplay = "Ford";
                    if (toyotaRadioButton.isSelected()) {
                         carString = "T";
                         carDisplay = "Toyota";
                    if (cadillacRadioButton.isSelected()) {
                         carString = "C";
                         carDisplay = "Cadillac";
                    rentalCalculate calc = new rentalCalculate(daysInt,
                              milesDouble, carString);
                    textArea.append("Customer Name: " + customer + "\n"
                              + "Vehicle: " + carDisplay + "\n" + "Price(Days): "
                              + df.format(calc.getDaysCost()) + "\nPrice(Miles): "
                              + df.format(calc.getMilesCost()) + "\nTotal Cost: "
                              + df.format(calc.getTotalCost()) + "\nGrand Total: "
                              + df.format(calc.getGrandTotal() + grandTotal) + "\n"
                              + "---------------------\n");
                    grandTotal = calc.getTotalCost();
                    // clear all the text fields and reset the cursor to the top box
                    daysField.setText("");
                    customerNameField.setText("");
                    milesField.setText("");
                    customerNameField.requestFocusInWindow();
               else if (clickedButton == summaryButton) {
                    JOptionPane.showMessageDialog(null,"Grand Total: " + grandTotal +
                              "\nTotal Number of Cars: " + calc.getCarCount());
//ect ect this is where the summary data would go, it fails miserably :(
          } else {
               textArea.append("ERROR\n\n");
     }CALCULATION CLASS
public class rentalCalculate {
     //define all constants and variables
     int daysInt;
     double milesDouble;
     double daysTotalDouble;
     double shipCostDouble = 0.00;
     double totalCostDouble;
     double carCost;
     double milesCost;
     double milesRate;
     String carChoice;
     private static int carCountInteger;
//car count int doesnt work at all
     double FORD_DOUBLE = 26.00;
     double CADILLAC_DOUBLE = 65.00;
     double TOYOTA_DOUBLE = 40.00;
     double FORD_RATE = 0.15;
     double CADILLAC_RATE = 0.25;
     double TOYOTA_RATE = 0.18;
     //create variables for adding up the Grand Total
     double overall_cost[] = new double[1024];
     int overall_num = -1;
     double total_cost;
     double complete_overall_cost = shipCostDouble;
     //initialize the calculate method and set the incoming
     //variables to the associated names
     public rentalCalculate(int dI, double m, String car) {
          daysInt = dI;
          milesDouble = m;
          carChoice = car;
     public double getDaysCost() {
          if (carChoice == "F")
               carCost = FORD_DOUBLE;
               milesRate = FORD_RATE;
          if (carChoice == "T")
               carCost = TOYOTA_DOUBLE;
               milesRate = TOYOTA_RATE;
          if (carChoice == "C")
               carCost = CADILLAC_DOUBLE;
               milesRate = CADILLAC_RATE;
     daysTotalDouble = daysInt * carCost;
     carCountInteger++;
          return daysTotalDouble;
     public double getMilesCost() {
          if (milesDouble > 100)
               milesCost = (milesDouble - 100) * milesRate;
          else
               milesCost = 0;
          return milesCost;
     //create the method to calculate the total cost then return the value
     public double getTotalCost() {
          totalCostDouble = milesCost + daysTotalDouble;
          return totalCostDouble;
     //create the method to calculate the grand total then return the value
     public double getGrandTotal() {
     complete_overall_cost = totalCostDouble;
          return complete_overall_cost;
     public int getCarCount()
          return carCountInteger;
}Thanks again for any help you push my way. Much Appreciated.
(Yes I'm aware this may be considered as 'Doing it for me', but I've tried for about 4 hours to get this moving
so this is why I'm asking for so much help.)

Jononomous wrote:
(Yes I'm aware this may be considered as 'Doing it for me', but I've tried for about 4 hours to get this moving
so this is why I'm asking for so much help.)You're not going to like this, but this is the wrong attitude. Does any of the above matter here? No. It is your assignment, first and last.
The formula is this:
Ask a specific question -- get lots of help.
Ask us to do this for you -- get lots of grief.

Similar Messages

  • ICal has a rediculous amount of duplicates and is very sluggish

    HELP! I am not very good at this whole sync thing, but I seem to have accumulated hundreds of duplicate entries for holidays, birthdays and some individual events.
    When I try to delete large chunks of selected events, iCal takes a rediculous amount of time or does not respond and I have to force quit.
    What the heck is wrong. How do I fix it without losing all my data?
    Also having trouble syncing iCal with Entourage and iPhone!
    PLEASE HELP

    If you haven't kept records of who had what phone, or required the user to wipe the phone properly before returning it (maybe time to update your company policies), you'll have to contact Apple Support directly and provide proof of ownership for these devices.
    Although there is no published process for getting devices unlocked, there have been reports that Apple can unlock corporate owned devices in situations such as yours, when device ownership is able to be proved.
    In future, when someone returns a phone, make sure they go to Settings > General > Reset > Erase all content and settings and enter their password for the process to complete. Then you'll have no problems.

  • Amount printing problem

    Dear All,
    I am having a problem in printing the amount in words in smartform which is created in arabic as its original language , The problem is descriped below.
    The invoice say 34000.000  is priniting as thirty four thousand.
    But if the invoice amount is say 34569.000 then it is printing as hundred sixty nine   thirty four thousand five.where as the correct value is thirty four thousand five hundred sixty nine
    Please suggest
    Thanks and Regards
    Praveen S

    Hi Praveen,
    i think the problem is with the data declaration that u r using for the import parameter "IN_WORDS" in spell_words FM.
    U have to define the import parameter Like SPELL, and lanuage u r passing should be 'EN', as u want in english, along with that u have to also pass the currency as 'KWD' which is kuwait dinar.
    For example,
    data: BILL_AMT_WOR like spell.
    DATA: KURR(3) TYPE C,
               DEC TYPE P DECIMALS 3,
               DECTEXT(10) TYPE C,
               SECONDLINE(40) TYPE C.
    IF WA_FINAL-SUM_AMOUNT <> ' '.
    CALL FUNCTION 'SPELL_AMOUNT'
    EXPORTING
       AMOUNT          = WA_FINAL-SUM_AMOUNT
       CURRENCY        = 'KWD'
       FILLER          = ' '
       LANGUAGE        = 'EN'
    IMPORTING
       IN_WORDS        = BILL_AMT_WOR
    EXCEPTIONS
      NOT_FOUND       = 1
      TOO_LARGE       = 2
      OTHERS          = 3
    IF SY-SUBRC <> 0.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
            WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    ENDIF.
    KURR = 'KWD'.
    DECTEXT = 'FILs'.
    CONCATENATE KURR BILL_AMT_WOR-WORD INTO BILL_AMT_WOR-WORD SEPARATED BY SPACE.
    DEC = FRAC( WA_FINAL-SUM_AMOUNT ). "to see the decimal places
    IF NOT DEC IS INITIAL.
    CONCATENATE 'AND' DECTEXT BILL_AMT_WOR-DECWORD 'ONLY'
    INTO SECONDLINE SEPARATED BY ' '.
    CONCATENATE BILL_AMT_WOR-WORD SECONDLINE
    INTO BILL_AMT_WOR-WORD SEPARATED BY ' '.
    ELSE.
    CONCATENATE BILL_AMT_WOR-WORD 'ONLY'
    INTO BILL_AMT_WOR-WORD SEPARATED BY SPACE.
    ENDIF.
    WA_FINAL-BILL_AMT_WOR = BILL_AMT_WOR-WORD.
    hope this sloves ur issue.
    Regards,
    Akash Rana
    Edited by: AKASH RANA on Aug 9, 2009 9:53 AM

  • Invoice Receipt (MIRO) -amount authorization problem

    I have made an Inter Company stock transport order. Now After outbout delivery , PGI , and GR when I am trying to create invoice receipt I am having the following problem-
    "No amount authorization for customers/vendors in company code INDR
    Message no. F5155
    Diagnosis
    No amount authorization for customer/vendor line items has been specified in company code INDR for the user group to which you are assigned.
    Provided that you are not explicitly assigned to a user group, the amount authorization to the group blank (" ") is valid.
    Procedure
    If you entered the correct company code, initiate the maintenance of tables T043 (user groups) and/or T043T (company code authorizations). "
    Plesae suggest what to do now ?
    Thanks in advance .
    Regards,
    Anupam

    Hi
    Check below settings in IMG:
    Materials management - Logistics invoice verification - Authorization Management - Define Tolerance Groups & Assign User Tolerance Group. I hope you dont have authorization to post the invoice with XXX amount because of tolerance limits.
    Thanks

  • Ridiculous amount of problems, and something I've never seen before.

    I had gotten a 4th gen 20gb iPod for a Christmas gift in 2004. It had a few problems here and there, but worked well for the most part for the better part of a year.
    Right around the time the one-year warranty was going to expire, it started really acting up. I sent it in, and got a replacement. Well, its been right around four months since I got the 'new' one, and I've had so much trouble with it, I've nearly thrown it out.
    I've been reading up on these forums for a couple days, and trying everything I could with no success.
    The main reason I'm starting this topic is in hopes for an answer on my iPod's capacity.
    So we're all aware that the 20gb's are really only 18.5 gb's. That's no secret. What really blew my mind was, just a week or so ago, I was having a ton of trouble with my iPod, and when I finally got it to respond, and it connected with iTunes, the maximum capacity was showing 16.4 gb. It was completely empty of anything I would have put on it, so I was extremely confused, and fairly upset.
    Well, not even ten minutes ago I went through the same sanity-reducing behavior, and when things finally connected, iTunes was showing that the iPod's maximum capacity is now at 15.98 gb!!!
    I don't know what to do, I've tried literally everything I've seen suggested in these forums that I can do aside from sending it in for repair.
    If the "true video" iPod doesn't come out in the next couple months I think I might switch to an iRiver. I don't really want to do that, because I have faith in Apple, but the problems I've had are ridiculous.
    Sorry for ranting, and thanks for reading.

    Sorry to butt in... Two thoughts for you.
    1) Are you resetting the iPod while it is still attached to the comp? If so try resetting it when it is not attached and leave it to "settle" for a minute (or so) before you attempt to reconnect. Make sure that the iPod is fully charged (or very nearly fully charged) before connecting since sometimes the current drain to start the iPod's internal HDD and keep it spinning to synch with iTunes is more than the USB port can support.
    2) I've seen the iPod "lie" about how much space is available - it's happened to me! It's not ideal, but my advice is to accept the iPod lies about how much space is available and ignore it unless you experience other symptoms which suggest that it really is inexplicably short of space (e.g. iTunes indicates that it is full, Windows thinks that it is full and you know that it should not be). You can also try running chkdsk on the drive letter windows has allocated to the iPod - it should detect any problems in the filesystem on the iPod which could lead to it getting confused about how much space is available. These "lies" about availble space can come and go (in my experience) - with no apparent reason or at least any that I've so far identified.
    Hope that helps.

  • VAT Perceptions in Argentina with minimum amounts (VA02 problem)

    Hi,
    I am creating a return order with transaction VA01 and exclude the calculated amouts for condition J1AQ. Then I visualize the order with transaction VA03 and the values are ok. But when use the transaction VA02 recalculates these values and set incorrect values in condition J1AQ.  
    We are calculating this condition according with note 506672, VAT Perceptions in Argentina with minimum amounts per document could be calculated with pricing formula 932 which was proposed in consulting note 102852 as a replacement for the standard formula 333.
    Note 506672
    https://websmp230.sap-ag.de/sap(bD1lcyZjPTAwMQ==)/bc/bsp/spn/sapnotes/index2.htm?numm=506672
    Note 102852
    https://websmp230.sap-ag.de/sap(bD1lcyZjPTAwMQ==)/bc/bsp/spn/sapnotes/index2.htm?numm=102852
    Thank you and regards
    spc

    Hi,
    Were you using two currencies or was it all in the local currency?
    Perhaps the exhcange rate changed in between each transaction?
    Also, did you reverse with MBST or a 102 / 122 movement.
    Steve B

  • Amount printing problem in smartform

    Hi Experts,
    I am developing the Invoice using smartform and i am printing the net amount in the output. In print preview it is ok, but while printing i am facing the misalignment in the amount field.
    For Example:
    field : &VBAP-NETPR(C)&
    Unit Price
    12
    333
    34343
    --- 3434355
    34343434343
    Note: line (---)  is the empty space
    Required Output:
    Unit Price
                    12
                  333
               34343
            3434355
    34343434343
    Note: In print preview i am able to see the correct output . But while printing i am not get the proper output. I am using Epson Dot matrix printer . please provide me the valuable solutions.
    Thanks in advance
    Satish
    Edited by: satish A on Apr 27, 2009 11:23 AM
    Edited by: satish A on Apr 27, 2009 11:25 AM
    Edited by: satish A on Apr 27, 2009 11:26 AM

    Hi!
    In your smartform
    define Style for your smartform.
    there create a paragraph format in which in the tab Indents and Spacing define the alignment as left-aligned .
    save the style and activate it.
    now go to your form and there where you are writing the text unit in that text node
    go to the output options tab and rite your style name in the style input box.
    then go to the general attributes tab and there in paragraph formats you can find your paragraph format that you have defined select in in the list box.
    activate your form.
    you will get the desired output.
    Regards.

  • Adobe Forms --Amount field Problem

    Hello All,
    I have one clarification.I have one field called amount.Its value is taken as 0.00 from the table. I have to make it as blank.I have made it as blank to that field in display pattern properties by setting as * in adobe designer. This is suitable for print form. In case of interactive form how can this be done to achieve the functionality.If the value is given from the other side to the amount value its not taking since in display pattern it has been set as *.Can anybody help me out in this issue.
    This is very urgent.I will reward you with points.
    Thanks,

    Indrakaran,
    Well you can try this one in initialize event in LiveCycle Designer. Change the language to javascript.:-
    xfa.host.messageBox("Raw Value is : " + DMBTR.rawValue); // This will just give a alert box.
    if(DMBTR.rawValue == "0.00")
       xfa.host.messageBox("Value is 0.00");
       DMBTR.rawValue = "";
    Chintan

  • RFBIBL00: Amount field problem

    Hi,
    I am using RFBIBL00 for uploading opening balances.
    When I am giving amount as 1000 it's working fine, but when I am giving 1000.00 it showing amount in Accouting Doc as 100000.00.
    Means when I am giving amount with decimal, it adding additional zeros at the right.
    I am using this code for asigning field to BBSEG:
      WRITE wa_itab-wrbtr TO bbseg-wrbtr
                                     CURRENCY wa_itab-waers. "Amount in Doc Currency
    Please guide me on the same.
    Thanks.
    Vinod.

    What is your currency ? Is it a currency without decimals ?
    When a currency has no decimals, SAP stores the amounts divided by 100.
    The "CURRENCY" option of the WRITE statement has the effect of multiplying the amount by 100 for these currencies.
    You should use the "CURRENCY" option only if your amounts are stored as in SAP, divided by 100 for currencies without decimals.
    If you have "normal" amounts, you should not use this option.

  • My iPhone 4S untold amounts of problems it has a constant orange screen

    My iPhone 4S has been driving me mad for quite some time it keeps turning on and off by its self. The screen goes black with white writing at the top and now I have an orange screen what could be the issue I have spoken to apple and they said that I have to buy a new phone but this one was a refurb and don't fancy the same thing happening again

    Hardware problem.

  • I am Disgusted with the amount of problems with the Iphone.. is it worth it

    I have been trying to fix my phone for the last 5 days now.. after hours and hours, foruming, reading the whole apple website (it feels like) there is still no solution to my problem. When i turn my phone on its a Picture of a USB cable pointing to itunes logo, and it doesn't do anything else.. not even a red slider bar or anything at all.
    I have tried to restore on Mac and Windows, i have tried all version of itunes, re installed it all many of times, deleted all traces and re installed. Read all the error issues. Tried to restore in all Phone Modes with everything.
    So what now apple?

    If no change after any of the troubleshooting steps available to you, the iPhone includes a one year warranty. If you have a 3GS, it remains under warranty.
    If you are in the U.S., you can call AppleCare, or make an appointment at an Apple store if there is one nearby.

  • Safari 6.0.1 still leaking a rediculous amount of memory

    I love Safari for Mac.
    But this memory leak issue has left me with no choice but to switch to Chrome.
    Running Lion on a Macbook Air with just 2GBs of RAM (I didn't know Air's RAM couldn't be upgraded when I bought it), Safari is literally impossible to use.
    According to the Activity Monitor app in my Utilities folder, "Safari Web Content" and "Safari" combined use a Gigabyte of RAM on average!
    Other posts I've read either say upgrading to 6.0.1 resolved the leak, or deleting an addon/extension fixed it.
    I turned off all my extensions, but the Monitor showed the same results.
    Someone mentioned an app called FastTube that was silently eating up RAM, but I double-checked and I have nothing on my hard drive by that name. But now I'm wondering if there was some app I installed once and then forgot about which may have installed something into Safari that is now quietly eating up half my RAM.
    If I downloaded and reinstalled Safari, would that disconnect any 3rd pary leecher apps? Would I need to delete my Safari preferences? If so, how do I do that without losing my bookmarks and such?
    Any ideas?

    From your Safari menu bar click Safari > Preferences then select the Extension tab.
    If there are any installed, turn that OFF, quit and relaunch Safari.
    There are several extensions such as DivX that can prevent QT content from streaming.

  • IPod Problem after problem after problem

    Is it just me, or are there a rediculous amount of problems with iPods? They really are an appauling piece of kit! I had an iPod Mini:
    I had the Do Not Disconnect error all the time;
    I had the -36 error all the time (why not put out a proper flipping error message, that means absolutely nothing to a user!!!!);
    it sometimes didn't update all the songs;
    iTunes didn't always recognise it;
    I got an error message to say there was an unexpected error with iTunes nearly everytime I connected it (this being the first time I connected after I had loaded up my computer);
    So I thought, maybe I just got unlucky with this iPod.
    Well......I decided to buy an iPod Nano! I'm thinking this might be a mistake.
    I've had it one week, one week!!!! and just look:
    I've had all the errors I had with my Mini apart from the -36 error;
    First time i use it, not all the Album art had updated;
    then I started to get Cannot read or write to iPod error;
    Now the whole flipping thing has gone busted! I get the error with the Folder and exclamation mark which says contact Apple support website.
    I'm just appauled with the whole thing. Just an unbelievable amount of problems with them!
    I've searched about on Google to see if there are problems with Sony Walkmans but can't see anything! I may just get shut of it - stick with Sony, always come up trumps with quality kit!

    I also have that error {-36} problem in my ipod nano! I dont know why it always disconnect itself after updating itself automatically when i open the itunes. Like the mini, the nano should be on the "DO NOT DISCONNECT" shouldn't it? I've always had to disconnect and reconnect for me to avoid the {-36}, sometimes i'm lucky and sometimes i'm not. When i'm not, it shows the {-36}. When i am lucky, it does it automatically. I just dont know why it always disconnect it self automatically. When it disconnect and you try to sync it, it shows the {-36} What do i do to stop this from happening? It really gets tiring to disconnect and reconnect just to put music or to sync the photos in the ipod nano. I had follow these steps shown in http://www.apple.com/support/ipod101/help/2/#3 and it still doesnt help. I've done the update on the windows, and the software interferance? I do not know which program that might be interfering with the ipod nano or the itunes? I know i have zonealarm antivirus, mafee spyware, and ad aware but i dont know if they are the cause of this. Do you think it can be the ipod drive, damaged maybe? I've reformated 2 times and i think that should be enough but still the same problem. Somebody please help me!

  • Advice on possible grants for phone line

    Hi
    I am after some advice
    After 9 months of dealing with BT, with rediculous amount of problems, having various engineers come out and even more excuses for why a phone line was taking so long to be connected, we were told that there is about 200m where there is no available line to connect us. 
    As it is not a standard connection fee we have been told we need to pay £4500 to be connected which we are unable to afford.
    We live in the country and have no mobile signal (we have tried various networks) and without having a phone line/internet we have no access to phone/inbternet and therefore no contact to the emergency services if needed. It is also necessary for me to be contacted 24hours a day due to my work.
    I have been told there is some sort of grant for rural houses to be connected to the phone/internet. Is anyone able to advise me on if there is one and how to apply.
    Thank you
    Charlotte Sarfas

    I know when Openreach need to install new line plant to provide service they will pay the first £1,500, or was it £2,500 then you need to cough up the rest.
    Actually don't quote me on that, but I'm sure that's how it was when I worked there a while back.
    Not sure if you can get a grant to get a phone line installed though, I know there are Local Government Subsidies to get Communities online for broadband but its usually a small amount like £300 per household or something and would only apply to say a Village or Town, each individual property wouldn't actually get the money, if you see what I mean?

  • Lenovo 3000 n200 Type: 0769 game graphics problem

    Hi,
    I have a Lenovo 3000 n200 Type 0769 laptop which served me well at university with my 3D modelling in SolidWorks for my projects. However, when I tried to run games on it, the games always crash, even on a very low setting graphics setting which is extremely frustrating. The only game I have managed to run successfully with no problems is Football Manager (providing I dont use the 3d game play as when I do, like all other games I have tried, it crashes.). What do I need to upgrade to successfully run games on my laptop and also, (if it is only a new graphics card that is required) where can I find out which cards are compatible with my laptop?
    Running games is the only problem I am finding with the laptop and any help anyone can give me will be very much appreciated as I see a few other people who have posted in the forum have had the same problem with no luck with help on here.
    Cheers.
    - Pete
    PS. The games I have tried running with no success include; The Sims 2, Lord Of The Rings - Battle For Middle Earth 1 & 2, Command & Conquer Generals, Command & Conquer 3 and Warhammer Dawn Of War

    I don't know about the desktops, but Lenovo laptops are the worst I have ever used. I have had mine nearly a year and the amount of problems I have had with it is rediculous, along with this problem, the hard drive has broken and needed to be replaced, the finger print scanner is broken and does not recognise the only finger prints that have been registered on the laptop, and now it has broken again and i cannot get passed the rescue and recovery screen. NO ONE should buy this laptop or any lenovo laptops like it, they are unbelievably unreliable!

Maybe you are looking for