JSP Shopping Cart problem

Hello,
I'm writing a JSP page with a shopping cart so the user can add products to it, nfortunately the thing won't work.. I keep getting an NullPointerException.. I'm probably screwing up somewhere.. I would be very thankful if you could help me out..
this is the code for the Shopping Cart Bean:
[myCart.java]
package myCart;
import java.util.*;
public class myCart implements java.io.Serializable{
     private Vector items;
public String[] getItems(){
     String strTemp[] = new String[items.size()];
     items.copyInto(strTemp);
     return strTemp;
public void setItems(Vector newItems){
     items=newItems;
public void addItem(String newId){
     items.addElement(newId);
This is the JSP page that I'm using:
[myCart.jsp]
<%@ page import="java.sql.*" %>
<%@ page import="java.util.*" %>
<jsp:useBean id="myCart" class="myCart.myCart" scope="session" />
<%
Connection con;
try{
Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
con = DriverManager.getConnection("jdbc:odbc:produkten");
Statement stmt = con.createStatement();
     ResultSet rs = stmt.executeQuery("SELECT * FROM tblProdukten WHERE NR= "+request.getParameter("nr")+"");
while (rs.next()) {
     String merk = rs.getString("MERK");
     long temp = rs.getLong("NR");
     String nr = Long.toString(temp);
-----> myCart.addItem(nr);
     %>
     <BR>Nr     : <%=nr%>
     <BR>test :     <%=merk%>
     <HR>
<% } %>
<%
     con.close();
     catch(ClassNotFoundException cnfex)
          out.println("jdbc odbc driver not found // muzz");
     catch(SQLException sqlex)     
          out.println(sqlex);
%>
</TABLE>
</BODY>
</HTML>
I think I probably(??) put the <myCart.addItem> in the wrong part of the code..??
Greetings,
Michael

yes, I see, I forgot to initiate that, I'm still
learning so please bare with me :)
I now initiated the <items> vector like this:
Vector items = new Vector();
and added this:
myCart.items.addItem(nr);
But it still won't work correctly >>
First error: Your Vector items is not a public variable. Therefore, outside classes will not be able to access it. No problem though, you have a method to take care of that. Instead of what you're doing, simply call
myCart.addItem(nr)This calls the public method addItem(String) which accesses your private Vector items, and adds a string to the vector.
Your second error should be taken care of. It is resulting from the fact that instead of calling the method addItem() from teh class instance, youre trying to access the Vector items first, and then trying to call addItem() from that... not only can you not access that variable, as stated above, but there is no method in Vector called addItems(). You could conceivably make items public, but I'd stick with what you've got.

Similar Messages

  • Jsp shopping cart

    i am new to jsp and am trying to create a shopping cart i have found some code but as it is older code i cant get it to work on the latest version, The following wont compile and i get these errors
    C:\Inetpub\wwwroot\jsp\ShoppingServlet.java:3: package javax.servlet does not exist
    C:\Inetpub\wwwroot\jsp\ShoppingServlet.java:4: package javax.servlet.http does not exist
    i have placed the files in my root directory on IIS, can anyone help, I
    import java.util.*;
    import java.io.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import shopping.CD;
    public class ShoppingServlet extends HttpServlet {
    public void init(ServletConfig conf) throws ServletException {
    super.init(conf);
    public void doPost (HttpServletRequest req, HttpServletResponse res)
    throws ServletException, IOException {
    HttpSession session = req.getSession(false);
    if (session == null) {
    res.sendRedirect("http://localhost:8080/error.html");
    Vector buylist=
    (Vector)session.getValue("shopping.shoppingcart");
    String action = req.getParameter("action");
    if (!action.equals("CHECKOUT")) {
    if (action.equals("DELETE")) {
    String del = req.getParameter("delindex");
    int d = (new Integer(del)).intValue();
    buylist.removeElementAt(d);
    } else if (action.equals("ADD")) {
    //any previous buys of same cd?
    boolean match=false;
    CD aCD = getCD(req);
    if (buylist==null) {
    //add first cd to the cart
    buylist = new Vector(); //first order
    buylist.addElement(aCD);
    } else { // not first buy
    for (int i=0; i< buylist.size(); i++) {
    CD cd = (CD) buylist.elementAt(i);
    if (cd.getAlbum().equals(aCD.getAlbum())) {
    cd.setQuantity(cd.getQuantity()+aCD.getQuantity());
    buylist.setElementAt(cd,i);
    match = true;
    } //end of if name matches
    } // end of for
    if (!match)
    buylist.addElement(aCD);
    session.putValue("shopping.shoppingcart", buylist);
    String url="/jsp/shopping/EShop.jsp";
    ServletContext sc = getServletContext();
    RequestDispatcher rd = sc.getRequestDispatcher(url);
    rd.forward(req, res);
    } else if (action.equals("CHECKOUT")) {
    float total =0;
    for (int i=0; i< buylist.size();i++) {
    CD anOrder = (CD) buylist.elementAt(i);
    float price= anOrder.getPrice();
    int qty = anOrder.getQuantity();
    total += (price * qty);
    total += 0.005;
    String amount = new Float(total).toString();
    int n = amount.indexOf('.');
    amount = amount.substring(0,n+3);
    req.setAttribute("amount",amount);
    String url="/jsp/shopping/Checkout.jsp";
    ServletContext sc = getServletContext();
    RequestDispatcher rd = sc.getRequestDispatcher(url);
    rd.forward(req,res);
    private CD getCD(HttpServletRequest req) {
    //imagine if all this was in a scriptlet...ugly, eh?
    String myCd = req.getParameter("CD");
    String qty = req.getParameter("qty");
    StringTokenizer t = new StringTokenizer(myCd,"|");
    String album= t.nextToken();
    String artist = t.nextToken();
    String country = t.nextToken();
    String price = t.nextToken();
    price = price.replace('$',' ').trim();
    CD cd = new CD();
    cd.setAlbum(album);
    cd.setArtist(artist);
    cd.setCountry(country);
    cd.setPrice((new Float(price)).floatValue());
    cd.setQuantity((new Integer(qty)).intValue());
    return cd;

    Original Post
    i have placed the files in my root directory on IIS, can anyone help, IJava-Queries Post
    hi!
    i guess u r using the servlet engine(ServletRunner) that comes along with jsdk. what's ur version? what u do is, set the classpath to where ever u have the jsdk directory, if u dont use any IDE, type this in the dos prompt, (for eg, ur jsdk is in local c drive)
    c:\ set classpath=c:\jsdk4.0\lib;
    then compile the file, if u use an IDE, what's that u r using?
    >>>
    The problem here is that the OP does not know that a web server is needed to run JSP or is it a Typo
    -Regards
    Manikantan

  • Hi, JSP Shopping Cart??

    Hi, i need to make a very simple shopping cart using JSP,
    Can anyone show me the way forward or does anyone have any sample coding for me to look at?
    I need it to be simple as all i want to do is send items to a shopping cart and then feed to a database...
    I can do the database bit... and i can list the items... but i dont have a clue how to store the items in a session... any help is appreciated

    You are falling into a trap here friend. You are trying to do it the easy way by asking for help, that is not going to help you at all because that gap of missing knowledge will stay, you want to fill it on your own. The only thing to do is sit down and put some idea's on paper, using well known techniques such as UML preferably, and keep thinking until you have something that you can work with. But you can use what you know. For example, you know how to store the information in a database, so you have a data structure. Is it so hard for you to translate that data structure into an object structure? I can image...
    1) a ShoppingCart class
    2) some kind of data storage inside it
    3) methods to store and retrieve the information
    the data storage will be the biggest problem. If it is very simple then a HashMap could even work, otherwise you will need to create some beans that can hold your data (or even a combination of a HashMap and beans). Most likely the beans will have attributes that directly match your database tables.
    when you have your ShoppingCart class with its logic to store and retrieve information, you can put that object in the session. I'm sure you can find a tutorial about using the session in java web environments, we are talking about the HttpSession object, that should get you started.

  • Shopping cart problems with 7.6 (29)

    I just installed Itunes 7.6 (29) and I can not view my shopping cart. I get a window that says the terms and conditions have changed. I put a check in (I have read and agree to the terms) and then press continue and it keeps jumping back to the same terms screen. I can not view my shopping cart. Anyone else have this problem?

    This seems to be problem on the server end.
    I tried to purchase with iTunes 7.4 and it came up with the new Terms and Conditions, so it is not limited to iTunes 7.6.
    After logging out and quitting & restarting iTunes a few times it finally worked.
    My guess is the iTunes store servers are being worked to death. These problems go away as the demand slows back to normal ( afew days).

  • ITunes Shopping Cart Problem

    Hello,
    I have the strangest issue with my shopping cart. I had some items that I was going to purchase but decided not too and left them in my cart. I went to remove them from my cart the other day and I can't! I recieve the following error when I clice the x next to each item:
    Could not remove an item from your cart. An Unknown error occurred (1011).
    There was an error in the iTunes Store. Please try again later.
    I did try again later, many times, to no avail. The items that are in my cart are no longer available in the iTunes store which I'm positive is contributing to the problem. Any help that someone could give would be appreciated!
    Thanks again.
    Dell   Windows XP Pro  

    This is a bit of a long shot, but it worked for another user, so it's worth a try. Go to the iTunes Store preferences, select "Buy and Download Using 1-Click", close the preferences window, reopen the preferences window and reselect "Buy and Download Using Shopping Cart". Then see if your Shopping Cart will clear.
    If that doesn't help, you'll need to contact the iTunes Music Store customer support department through the form at the bottom of this web page and explain the problem to them.
    Hope this helps.

  • Shopping Cart Problem...plz help

    Hello Gurus,
    I have a Cart created by my user,
    the problem is the Cart is not moving to the backend to create
    the follow on document,i.e the PR,
    Checked the BBP_PD,it shows I111 as the status,
    i am unable to get where the exact problem is,
    The Approval is completed,
    can any 1 advise why this is stuck.
    where can i see the problem?
    (checked RZ20)no clues..:-(
    tried to Update by bbp_get_status_2...:-( no use...
    plz help..
    Points gaurenteed.
    Thanks

    Hi Arshad,
    You have to apply OSS notes to resolve this issue.Please find the relavent OSS notes :
    <b>Note 729967 - Shoppng cart:Status I1111,no follow-on docs->analysis report</b>
    <b>Note 949162 - Follow-on documents exist, status I1111 and I1113 active</b>
    <b>Note 854478 - Alert monitor: No longer possible to transfer shopping cart</b>
    <b>Note 728536 - Shopping cart: Follow-on docs => analysis-/correction report</b>
    <b>Note 900142 - BBP_PD_SC_RESUBMIT: All items set to status I1111</b>
    Hope the above notes will resolve your issue.
    Let me know once it gets resolved or in case of any further clarifications.
    Award points for suitable answers.
    Rgds,
    Teja

  • Does anyone know any good JSP shopping cart tutorials?

    Can anyone recommend any complete beginners guide to this type of thing?
    To create a cart which takes items from the database and inputs them into a cart.

    try to search on oracle

  • SRM Shopping Cart Problem in coding.please help

    Hi SAPGURUS,
    Please help me with this code,its fetching me no result in SRM for these conditions.This code is not changing anything and not giving the desired result.
    I am using BBP_DOC_SAVE_BADI
    Please see the doc for CONDITIONS
    [http://www.2shared.com/document/dXlymF0Y/rules.html]
    Please see the code here.
    [http://www.2shared.com/document/bMWByy1f/code.html]

    First you might want to describe what you are trying to achieve. In case you intend to change or validate the changed document, one common BADI to implement is BBP_DOC_CHANGE_BADI.

  • Shopping cart problem.

    I have the following method in the ShoppingCart.class.
    When an object of MusicRecording passed into this method, it is intended to return how many objects of the passed MusicRecording object there are in the shoppingCart ArrayList. But this method didn't work, it always returns 0 even when I was sure that the object I passed in should exist in the shoppingCart ArrayList.
    Please help me. Many thanks to you all.
    ArrayList shoppingCart;
    public int getQuantity(MusicRecording m) throws RemoteException{
    int quantity=0;
    for(int i=0;i<shoppingCart.size();i++){
         if(  (  shoppingCart.get(i) ).equals(m)){
              quantity+=1;
    .....................

    public int getQuantity(MusicRecording m) throws
    RemoteException{
    int quantity=0;
    for(int i=0;i<shoppingCart.size();i++){
         if(  ( (MusicRecording) shoppingCart.get(i) )==m){ //you're doing exactly the same the default behavior of equals() method does.
              quantity+=1;
    return quantity;
    }You should override both hashCode() and equals() in the MusicRecording class. Provide the logic that you consider will define two equal MusicRecording's

  • With WBS element unable to create the Shopping cart

    Hi,
    With WBS element unable to create the Shopping cart
    Problem description:
    Shiopping cart >Item detail > Account assignment
    A/c assignment category " WBS element", Assignment no (some no,eg 1000-2 ).System picks the G/L account and business area,unable to create the shopping cart.Getting error message that
    "The account assignment objects are defined for different business areas  "
    Did i missed anything ,please
    Thanks
    Hareesha

    Hi Hareesha,
    As Sreedhar has rightly said the issue is definitely with the correctness of the data.
    Check the assignment of WBS to the proper business area which you are using to create the shopping cart.Check your org. structure and attributes and their assignments once again.
    Neverthless some OSS notes for your reference if in case you can not able to make P.Os or the SC's / P.Os are not getting transfered to back end R/3.
    <b>Note 727897 - WBS element conversion in extended classic scenario</b>
    <b>Note 1000184 - Account assignment error when document transfer to back end</b>
    Even after validating the data if the problem still persists please explain it clearly with the errors for further help.
    Rgds,
    Teja

  • Newbie - JSP & bean shopping cart logic error?

    Hello,
    I am attempting to bulid a shopping cart facility on a JSP site that I am building.
    I am having difficulties adding an item to the basket.
    The page below (bookDetail.jsp) displays items for sale from a database. At the foot of the page, I have set up a hyperlink to add an item to a basket bean instance created in this page.
    What happens is the page will load correctly, when i hover the mouse over the hyperlink to add the item to the basket, the status bar shows the URL of the current page with the details of the book appended. This is what I want. But when I click the link, the page will only reload showing 20% of the content.
    Netbeans throws up no errors, neither does Tomcat, so I am assuming I have made a logical error somewhere.
    I have enclosed the Book class, and the ShoppingCart class for your reference.
    Any help would be really appreciated as I am at a loss here.
    Cheers.
    Edited highlights from bookDetail.jsp
    //page header importing 2 classes - Book and ShoppingCart
    <%@ page import="java.util.*, java.sql.*, com.shopengine.Book, com.shopengine.ShoppingCart" errorPage="errorpage.jsp" %>
    //declare variables to store data retrieved from database
    String rs_BookDetail_bookRef = null;
    String rs_BookDetail_bookTitle = null;
    String rs_BookDetail_author = null;
    String rs_BookDetail_price = null;
    //code that retrieves recordset data, displays it, and places it in variables shown above
    <%=(((rs_BookDetail_bookRef = rs_BookDetail.getString("book_ref"))==null || rs_BookDetail.wasNull())?"":rs_BookDetail_bookRef)%>
    <%=(((rs_BookDetail_author = rs_BookDetail.getString("author"))==null || rs_BookDetail.wasNull())?"":rs_BookDetail_author)%>
    <%=(((rs_BookDetail_bookTitle = rs_BookDetail.getString("book_title"))==null || rs_BookDetail.wasNull())?"":rs_BookDetail_bookTitle)%>
    <%=(((rs_BookDetail_price = rs_BookDetail.getString("price"))==null || rs_BookDetail.wasNull())?"":rs_BookDetail_price)%>
    //this link is to THIS PAGE to send data to server as request parameters in Key/Value pairs
    // this facilitates the add to basket function
    <a href="<%= response.encodeURL(bookDetail.jsp?title=
    "+rs_BookDetail_bookTitle+"
    &item_id=
    "+rs_BookDetail_bookRef +"
    &author="+rs_BookDetail_author +"
    &price=
    "+rs_BookDetail_price) %> ">
    <img src="images\addtobasket.gif" border="0" alt="Add To Basket"></a></td>
    // use a bean instance to store basket items
    <jsp:useBean id="basket" class="ShoppingCart" scope="session"/>
    <% String title = request.getParameter("title");
    if(title!=null)
    String item_id = request.getParameter("item_id");
    double price = Double.parseDouble(request.getParameter("price"));
    Book item = new Book(item_id, title, author, price);
    basket.addToBasket( item );
    %>
    ShoppingCart class that is used as a bean in bookDetail.jsp shown above
    package com.shopengine;
    //import packages
    import java.util.*;
    //does not declare explicit constructor which automatically creates a zero argument constructor
    //as this class will be instantiated as a bean
    public class ShoppingCart
    //using private instance variables as per JavaBean api
         private Vector basket;
         public ShoppingCart()
              basket = new Vector();
         }//close constructor
    //add object to vector
         public void addToBasket (Book book)
              basket.addElement(book);
         }//close addToBasket method
    //if strings are equal, delete object from vector
         public void deleteFromBasket (String foo)
    for(Enumeration enum = getBasketContents();
    enum.hasMoreElements();)
    //enumerate elements in vector
    Book item = (Book)enum.nextElement();
    //if BookRef is equal to Ref of item for deletion
    //then delete object from vector.
    if (item.getBookRef().equals(foo))
    basket.removeElement(item);
    break;
    }//close if statement
    }//close for loop
         }//close deleteFromBasket method
    //overwrite vector with new empty vector for next customer
         public void emptyBasket()
    basket = new Vector();
         }//close emptyBasket method
         //return size of vector to show how many items it contains
    public int getSizeOfBasket()
    return basket.size();
         }//close getSizeOfBasket method
    //return objects stored in Vector
         public Enumeration getBasketContents()
    return basket.elements();
         }//close getBasketContents method
         public double getTotalPrice()
    //collect book objects using getBasketContents method
    Enumeration enum = getBasketContents();
    //instantiate variable to accrue billng total for each enummeration
    double totalBillAmount;
    //instantiate object to store data for each enummeration
    Book item;
    //create a loop to add up the total cost of items in basket
    for (totalBillAmount=0.0D; enum.hasMoreElements(); totalBillAmount += item.getPrice())
    item = (Book)enum.nextElement();
    }//close for loop
    return totalBillAmount;
         }//close getTotalPrice method
    }//close shopping cart class
    Book Class that is used as an object model for items stored in basket
    package com.shopengine;
    import java.util.*;
    public class Book{
         //define variables
    private String bookRef, bookTitle, author;
         private double price;
    //define class
    public Book(String bookRef, String bookTitle, String author, double price)
    this.bookRef= bookRef;
    this.bookTitle=bookTitle;
    this.author=author;
    this.price=price;
    //create accessor methods
         public String getBookRef()
              return this.bookRef;
         public String getBookTitle()
              return this.bookTitle;
         public String getAuthor()
              return this.author;
         public double getPrice()
              return this.price;
    }//close class

    page will only reload showing 20% of the content.Im building some carts too and I had a similiar problem getting null values from the mysql database. Are you getting null values or are they just not showing up or what?
    On one of the carts I'm building I have a similiar class to yours called products that I cast onto a hashmap works alot better. Mine looks like this, maybe this is no help I don't know.......
    public class Product {
        /**An Item that is for sale.*/
          private String productID = "Missing";
          private String categoryID = "Missing";
          private String modelNumber = "Missing";
          private String modelName = "Missing";
          private String productImage = "Missing";
          private double unitCost;
          private String description = "Missing";
          public Product( 
                           String productID,
                           String categoryID,
                           String modelNumber,
                           String modelName,
                           String productImage,
                           double unitCost,
                           String description) {
                           setProductID(productID);
                           setCategoryID(categoryID);
                           setModelNumber(modelNumber);
                           setModelName(modelName);
                           setProductImage(productImage);
                           setUnitCost(unitCost);
                           setDescription(description);        
          public String getProductID(){
             return(productID);
          private void setProductID(String productID){
             this.productID = productID;
          public String getCategoryID(){
             return(categoryID);
          private void setCategoryID(String categoryID){
             this.categoryID = categoryID;
          public String getModelNumber(){
             return(modelNumber);
          private void setModelNumber(String modelNumber){
             this.modelNumber = modelNumber;
          public String getModelName(){
             return(modelName);
          private void setModelName(String modelName){
             this.modelName = modelName;
          public String getProductImage(){
             return(productImage);
          private void setProductImage(String productImage){
             this.productImage = productImage;
          public double getUnitCost(){
              return(unitCost);
          private void setUnitCost(double unitCost){
              this.unitCost = unitCost;
          public String getDescription(){
              return(description);
          private void setDescription(String description){
              this.description = description;

  • Help needed in shopping cart implementation in JSP

    hi all,
    i need some help or code in implementing a shopping cart in JSP. Please send me code or any web resource.

    Hi!..i m in the same problem..if you have some idea or code..plz..
    robin_caba(@) yahoo.es

  • Problem with Shopping cart's currency

    Hello,
    I've got a problem with shopping cart's currency. I create the shopping cart with 1 item currency "EUR", I see in my backend ECC 5.0 , my purchase requisition have got a currency in "CHF".
    System SRM : SRM 5.5
    System ECC : 5.0
    The scenario for approval shopping cart is automatic, the workflow WS1000060 is active.
    Can you help me please, thanks very much.
    Lionel

    Hi Sambit,
    Yes I found the solution.
    You must implemente this BADI BBP_CREATE_BE_RQ_NEW with method FILL_RQ_INTERFACE. 
    You can see my code :
    METHOD if_ex_bbp_create_be_rq_new~fill_rq_interface.
      DATA : wa_requisition_items TYPE bbps_badi_rq_item,
             wa_item TYPE bbp_pds_transfer_item,
             w_tabix TYPE sy-tabix,
             w_check.
      LOOP AT cs_rq_document-it_requisition_items INTO wa_requisition_items.
        w_tabix = sy-tabix.
        READ TABLE is_sc_document-item INDEX w_tabix INTO wa_item.
        IF wa_requisition_items-currency NE wa_item-currency.
          wa_requisition_items-currency = wa_item-currency.
          wa_requisition_items-c_amt_bapi = wa_item-gross_price.
        ENDIF.                                               
        MODIFY cs_rq_document-it_requisition_items FROM wa_requisition_items INDEX w_tabix.
        CLEAR : wa_requisition_items,
                wa_item.
      ENDLOOP.
    ENDMETHOD.
    I hope that will help you.
    Kind regards.
    Lionel
    Edited by: Lionel Lacotte on Jun 24, 2008 2:22 PM

  • Problem with shopping cart

    When I click on "buy now" i get an error message saying items in my cart have changed, etc and to check it again and then hit buy now. I just keep getting same message over and over. If I choose one-click shopping, I can buy. But I hate having 20-25 .99 purchases going on my debit card. I used the shopping cart option a couple of weeks ago with no problem. What am I doing wrong? I didn't change anything. Yikes
      Windows XP  

    i need the shopping cart where i stored thousand of music that i had to buy!
    Using the Shopping Cart as a "wish list" and keeping a lot of tracks there for future purchase is a mistake. If the iTunes Store has to remove one (or more) of the tracks, it can corrupt your Shopping Cart. To keep tracks for future purchase, create a normal playlist (call it "wish list" if you like) and drag the tracks from the iTunes Store to that playlist. Then use the Shopping Cart only for tracks you intend to purchase very soon.
    As to your current problem, contact the iTunes Music Store customer support department through the form at the bottom of this web page and explain the problem to them. They'll probably need to clear your Shopping Cart to get it to work again.

  • Shopping Cart Approval Problem

    Hi.
    I have a shopping cart which is going through the loop to the approvers.
    As per the conditinos, it needs to go to only 2 approvers.
    after the 2nd approver approved it , it going back to the 1st approver again.
    now 2 approvers approved twice but again it is going back to the first approver.
    What could be the problem and where to check for this error and the solution.
    -erpMAN-

    Hi,
    Which SRM version are you working on??
    See if the foll  note   applies for your system which may help to solve your problem
    OSS note 896556
    See also the foll related threads for more hints:
    Re: ADMINISTRATOR_APPROVAL parameter in n-step approval badi
    chaging description by the approver causes worng behaviour of workflow
    BR,
    Disha.
    Do reward points for  useful answers.

Maybe you are looking for

  • Iphone won't turn on past apple logo, can't restore. HELP

    All of a sudden tonight, my iphone 4s restarted, but it only got to the apple logo screen, then restarted again.  It was doing that repeatedly every 10 seconds or so for the last few hours.  The only thing I could do was turn it off completely but on

  • Downloaded firefox into new Asus CPU. But now site formats are all weird

    Downloaded Firefox into new Asus CPU. The format for my home page (hotmail.com), and just about all other sites, is disjointed....even Google. lines of text merge into each other, some sites look like an excel spreadsheet. and other formatting glitch

  • BI Desktop v 10.1.3.4.1 Windows 7 Windows Installer 2.0 Error

    I attempting to install BI Desktop Publisher 10.1.3.4.1 on a Windows 7 laptop. I'm getting this error message "Please make sure Windows Installer version 2.0 or greater is installed" How do I resolve?

  • Flash player just won't install no matter what

    I have tried every tip I can find and I still cannot get Flash Player to install on my MacBook Air.  I keep getting the error message "Connection failed.  Unable to complete installation."  I have tried this a dozen times.  Very frustrating!

  • Freeze,crash,drop connection, desk folder or icon freeze, slow.

    Bad news all the people have imac with snow leopard or lion have so many problems freeze, wifi drop connection, any icon on the background dont work but the computer if you open safari or any software work only the folder icons on the desk is freeze,