I am having problems with my Pantech Caper. Please Help!

I just transferred my phone number over to a used Pantech Caper that I bought a few years ago. When I used the Caper previously I had no problem with it. And the phone i had before i transferred numbers worked just fine i was just having problems with some buttons not working. Now that i have transferred the number over to the Caper i can receive texts and picture messages but can not download the messages. I can not receive calls nor can i send texts out. after i try to send a text I receive a message saying I have insufficient fund to send message. oh extra info... i have the plan for 500 minutes and unlimited text picture messages and unlimited web. Please Help... I need my phone for work.

    Hi YukiCross,
I am  confident your issue has been resolved since your original post! If not,let's get this figured out. Based on your description it sounds like you have Pre-Paid service with us. For Pre-Paid assistance please reach out to:888-294-6804 . I can gladly address and resolve any Post-Pay related concerns.
Thanks for your contribution to our community forums,
AyaniB_VZW
Follow us on Twitter @VZWSupport

Similar Messages

  • Firefox is having problems with "Southwest Airlines website" Please help soon

    Whenever I go on Southwest Airline website, it does not work. I am having this problem since last month. Please help on this as soon as you can.

    Clear the cache and the cookies from sites that cause problems.
    * "Clear the Cache": Tools > Options > Advanced > Network > Offline Storage (Cache): "Clear Now"
    * "Remove the Cookies" from sites causing problems: Tools > Options > Privacy > Cookies: "Show Cookies"
    Other things that need your attention:
    Your above posted system details show outdated plugin(s) with known security and stability risks that you should update.
    * Shockwave Flash 10.0 r22
    * Java Plug-in 1.6.0_07 for Netscape Navigator (DLL Helper)
    Update the [[Managing the Flash plugin|Flash]] plugin to the latest version.
    *http://kb.mozillazine.org/Flash
    *http://www.adobe.com/software/flash/about/
    Update the [[Java]] plugin to the latest version.
    *http://kb.mozillazine.org/Java
    *http://www.oracle.com/technetwork/java/javase/downloads/index.html (Java Platform: Download JRE)

  • Having Problem with stuttering video. Please help!

    I haven't had a problem with viewing video online with my laptop until a few days ago. Now, all it will do is start to play, then freeze, play for a few seconds, then freeze, etc. etc. If I am on Hulu and pause the video to allow it to buffer, it will go good for a few minutes then start the same thing over again. I have done the same thing on CBS.com, but the results haven't been as good as on Hulu. I have noticed that it is considerably worse when the commercials start. I tried uninstalling my Flashplayer several times to no avail, and I even uninstalled my Antivirus and reinstalled that thinking that might be the problem. Tried right clicking on the player when it's in use and disableing the hardware accelerator in the settings, but that didn't help. I am about ready to pull my hair out!
    OS is Windows Vista Home Premium Service Pack 2
    Using Mozilla FireFox version3.6.8 and Internet Explorer 8 version 8.0.6001.18928
    Have Adobe Flashplayer version 10.1.53.64
    antivirus is Avast! Free version 5.0.594
    If there is any other info needed, let me know!

    is a video card problem for acne

  • Having problem with switch statement..please help

    here my question :
    GUI-based Pay Calculator
    A company pays its employees as executives (who receive a fixed weekly salary) and hourly workers (who receive a fixed hourly salary for the first 40 hours they work in a week, and 1.5 times their hourly wage for overtime worked).
    Each category of employee has its own paycode :
    ?     Paycode 1 for executives
    ?     Paycode 2 for hourly workers
    Write a GUI-based application to compute the weekly pay for each employee. Use switch to compute each employee?s pay based on that employee?s paycode.
    Use CardLayout layout manager to display appropriate GUI components. Obtain the employee name, employee paycode and other necessary facts from the user to calculate the employee?s pay based on the employee paycode:
    ?     For paycode 1, obtain the weekly salary.
    ?     For paycode 2, obtain the hourly salary and the number of hours worked.
    You may obtain other information which you think is necessary from the user.
    Use suitable classes for the GUI elements. (You can use javax.swing package or java.awt package for the GUI elements.)
    here my code so far :
    import java.awt.;*
    import java.awt.event.;*
    import javax.swing.;*
    *public class PayrollSystem implements ItemListener {*
    JPanel cards, JTextField, textField1, JLabel, label1;
    final static String EXECUTIVEPANEL = "1.EXECUTIVE";
    final static String HOURLYPANEL = "2.HOURLY WORKER";
    public void addComponentToPane(Container pane)
    *//Put the JComboBox in a JPanel to get a nicer look.*
    JPanel comboBoxPane = new JPanel(); //use FlowLayout
    JPanel userNameAndPasswordPane = new JPanel();
    *// User Name JLabel and JTextField*
    userNameAndPasswordPane.add(new JLabel("NAME"));
    JTextField textField1 = new JTextField(25);
    userNameAndPasswordPane.add(textField1);
    *String comboBoxItems[] = { EXECUTIVEPANEL, HOURLYPANEL };*
    JComboBox cb = new JComboBox(comboBoxItems);
    cb.setEditable(false);
    cb.addItemListener(this);
    comboBoxPane.add(cb);
    *//Create the "cards".*
    JPanel card1 = new JPanel();
    card1.add(new JLabel("WEEKLY SALARY"));
    card1.add(new JTextField(6));
    card1.add(new JLabel("TOTAL PAY"));
    card1.add(new JTextField(8));
    card1.add(new JButton("CALCULATE"));
    JPanel card2 = new JPanel();
    card2.add(new JLabel("HOURLY SALARY"));
    card2.add(new JTextField(6));
    card2.add(new JLabel("TOTAL HOURS WORK"));
    card2.add(new JTextField(8));
    card2.add(new JButton("CALCULATE"));
    *//Create the panel that contains the "cards".*
    cards= new JPanel(new CardLayout());
    cards.add(card1, EXECUTIVEPANEL);
    cards.add(card2, HOURLYPANEL);
    pane.add(comboBoxPane, BorderLayout.PAGE_START);
    pane.add(userNameAndPasswordPane, BorderLayout.CENTER);
    pane.add(cards, BorderLayout.PAGE_END);
    public void itemStateChanged(ItemEvent evt)
    CardLayout cl = (CardLayout)(cards.getLayout());
    cl.show(cards, (String)evt.getItem());
    ** GUI created*
    *private static void createAndShowGUI() {*
    *//Make sure we have nice window decorations.*
    JFrame.setDefaultLookAndFeelDecorated(true);
    *//Create and set up the window.*
    JFrame frame = new JFrame("GUI PAY CALCULATOR");
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    *//Create and set up the content pane.*
    PayrollSystem demo = new PayrollSystem();
    demo.addComponentToPane(frame.getContentPane());
    *//Display the window.*
    frame.pack();
    frame.setVisible(true);
    *public static void main(String[] args) {*
    *//Schedule a job for the event-dispatching thread:*
    *//creating and showing this application's GUI.*
    *javax.swing.SwingUtilities.invokeLater(new Runnable() {*
    *public void run() {*
    createAndShowGUI();
    HOW CAN I PERFORM THE SWITCH STATEMENT INSIDE THIS CODE TO LET IT FULLY FUNCTIONAL..?
    I MUST PERFORM THE SWITCH STATEMENT LIKE IN THE QUESTION..
    PLEASE HELP ME..REALLY APPRECIATED...TQ

    hi
    A switch works with the byte, short, char, and int primitive data types. So you can simply give the
    switch (month) {
                case 1: 
                            System.out.println("January");
                            break;
                case 2:  {
                            System.out.println("February");
                             break;
                case 3: {
                              System.out.println("March");
                              break;
                             }where month controlls the flow
    moreover u can go to http://www.java-samples.com/java/free_calculator_application_in_java.htm
    for reference, just replace the if statement with switch with correct syntax

  • I am having problems with the sounds. Please help I am very worried about my iPad 2

    I tried restarting my iPad so the sounds would go normal but every time it goes to the homepage it's muted. When I receive a mail it's muted, when I am playing a couple of games it's sometimes muted and when I type it's muted. I checked the settings if it was muted but it was turned off. I imported my headphones and most of the apps I can hear but when I type It doesn't make the sounds. Any ideas to fix the sounds?

    Have you got notifications muted ? Only notifications (including games) get muted, so the Music/iPod and Videos apps, and headphones, still get sound.
    Depending on what you've got Settings > General > Use Side Switch To set to (mute or rotation lock), then you can mute notifications by the switch on the right hand side of the iPad, or via the taskbar : double-click the home button; slide from the left; and it's the icon far left; press home again to exit the taskbar. The function that isn't on the side switch is set via the taskbar instead : http://support.apple.com/kb/HT4085

  • Im having problem with my macbook! please help!

    the old harddrive in my 2006 macbook is fried, so i brought 120 Gb hdd to put it in. I follow youtubes way. When i put the recovery cd in it and click option buttom, then it boot up the recovery cd, but somehow it says "mac os x cannot install in this system" I couldnt remember the exact what it say, but may i ask why? how? please help me!

    Hello
    You probably need to reformat the drive. Boot from the installer again, and go through the first screen (choose your language), then go to the Utilities menu, choose Disk Utility. Select your new drive on the left. Click on the "top level" of the drive (where you see the drive model number, not the name below it), and make sure that "Partition Map Scheme" at the bottom of the screen says "GUID Partition Scheme".
    If not, go to Partition, set up 1 partition and name it, choose "Mac Extended (Journaled)", click Options, choose GUID, and click Partition.
    If the partition scheme is already set to GUID, go to the Erase tab and reformat the drive as Mac Extended (Journaled). Then try going through the rest of the installer.
    Matt

  • Having Problem with JSP In Netscape!HELP!!!

    HI to all! I�m having problem with the jsp that i have :( If i use the Internet explorer it works but at Netscape... it doesn�t work :( The value of "PTE" is null... I need help !!!Please! I think the HTML IS NOT HELPING ...
    the code is :
    <html>
    <head>
    <!--tp001_transferencias_oic_POR.jsp-->
    <title>BBVA - Transfer&ecirc;ncias - Transfer&ecirc;ncias OIC</title>
    <LINK rel=STYLESHEET type='text/css' href="estilos/tablas.css">
    <!--script language="javascript" src "js/dynlayer.js"></script-->
    <script language="Javascript" src="js/banner.js"></script>
    <script language="Javascript" src="js/tp_oic.js"></script>
    <script language="Javascript" src="js/utilidades.js"></script>
    <script language="javascript" src="js/limpar.js"></script>
    <script language="javascript" src="js/tiempo.js"></script>
    </HEAD>
    <body marginheight="0" marginwidth="0" leftmargin="0" topmargin="0" class="pag-contenido" onLoad="controlSesion();">
    <%@ include file ="includecbtf.jsp" %>
    <% String s = (String)datos.get("dt");
    java.util.StringTokenizer str = new java.util.StringTokenizer(s, "-");
    String anoServer = str.nextToken() ;
    String mesServer = str.nextToken() ;
    String diaServer = str.nextToken() ;
    %>
    <!--1�form-->
    <form method="post" name="captura" action="<%=urls.get("action")%>">
    <center> <!--1�center-->
    <br>
    <!--1�table-->
    <table border="0" cellpadding="0" cellspacing="0" width="500"> <!--table das transf e nome-->
    <tr>
    <td colspan="3"><img src="images/linea.gif" border="0"></td>
    </tr>
    <tr>
    <td width="250"><img src="images/traspasos.gif" border="0"></td>
    <td width="82"><img src="images/titular.gif" border="0"></td>
    <td width="169" class="fondotitular"><font class="texttitular"><%=datos.get("usuario")%></font></td>
    </tr>
    <tr>
    <td colspan="3"><img src="images/linea.gif" border="0"></td>
    </tr>
    </table> <!--Fim do 1� table-->
    <br><br>
    </center> <!--Fim do 1� Center-->
    <center> <!--2� Center-->
    <!--Conteudo do table 2-->
    <table cellpadding="3" cellspacing="1" border="0" align="center" width="500"> <!--table referente a mensagem-->
    <tr>
    <td class="cabeceratitulo" colspan="2"><p class="titulotabla">Nota : As Transfer&ecirc;ncias para outras Institui&ccedil;&otilde;es de Cr&eacute;dito decorrem de acordo com os hor&aacute;rios da Compensa&ccedil;&atilde;o Interbanc&aacute;ria, n&atilde;o se responsabilizando o BBVA pela sua realiza&ccedil;&atilde;o fora das regras em uso.</p></td>
    </tr>
    <tr></tr><tr></tr><tr></tr><tr></tr><tr></tr><tr></tr><tr></tr><tr></tr><tr></tr>
    </table> <!--fim do table2-->
    </center> <!--Fim do 2� Center-->
    <center> <!-- Inicio 3� Center-->
    <!--Conteudo da table Combo-->
    <!--Table3-->
    <table cellpadding="3" cellspacing="1" border="0" align="center" width="500">
    <tr>
    <td class="cabeceratitulo" colspan="2"><p class="titulotabla">Transfer&ecirc;ncia Conta a Conta para outras Institui&ccedil;&ocirc;es de Cr&eacute;dito</p></td>
    </tr>
    <tr>
    <td class="formgrisosc" width="100">
    <p class="dato">Conta Ordenante:  </p></td>
    <td class="formgrisosc" width="300">
         <%
    java.util.Vector v = (java.util.Vector)(datos.get("ListaCuentas"));
    java.util.Hashtable elem;
    java.util.Enumeration e = v.elements();
    %>
    <!--1� Select-->
    <select name="conta" size="1" class="formgrisosc">
    <%
    while (e.hasMoreElements()){
    elem = (com.ibm.dse.base.Hashtable)(e.nextElement());
    String cuenta = ((String)elem.get("s_banco")).trim() + "-"+((String)elem.get("s_oficina")).trim()+((String)elem.get("s_dcontrol")).trim()+((String)elem.get("s_num_cuenta")).trim();
    out.println("<option value=\"" + ((String)elem.get("s_tipo")) + "$" + ((String)elem.get("s_clave_asunto")) + "\">" + cuenta + "</option>");
    %>
    </select> <!--Fim do 1� Select-->
    </td>
    </tr>
    <tr>
    <td class="formgriscla" width="100"><p class="dato">Data de Processamento:</p></td>
    <td class="formgriscla">
    <input type="text" name="dia" size="2"class="formgriscla" value="<%=diaServer %>" maxlength="2" class="formgriscla"> / 
    <input type="text" name="mes" size="2"class="formgriscla" value="<%=mesServer %>" maxlength="2" class="formgriscla"> / 
    <input type="text" name="ano" size="4"class="formgriscla" value="<%=anoServer %>" maxlength="4" class="formgriscla"></td>
    <input type="hidden" name="dact" size="2"class="formgriscla" value="<%=diaServer %>" maxlength="2" class="formgriscla">
    <input type="hidden" name="mact" size="2"class="formgriscla" value="<%=mesServer %>" maxlength="2" class="formgriscla">
    <input type="hidden" name="aact" size="4"class="formgriscla" value="<%=anoServer %>" maxlength="4" class="formgriscla"></td>
    </tr>
    <tr>
    <td class="formgrisosc" width="100"><p class="dato">Moeda: </p></td>
    <td class="formgrisosc"><p class="dato">
    <!--Select 2�Ver este bem-->
    <select name="Moeda" size="1" class="formgrisosc">
    <option value="PTE" selected>Escudos</option>      
    <option value="EUR">Euros</option>
    </select> </p>
    </td>
    </tr>
    <tr>
    <td class="formgriscla" width="100"><p class="dato">Import&acirc;ncia:</p></td>
    <td class="formgriscla"><input type="text" name="importancia" size="20" maxlength="15" class="formgriscla"></td>
    </tr>
    <tr>
    <td class="formgrisosc" width="100"><p class="dato">Ref&ecirc;rencia:</p></td>
    <td class="formgrisosc"><input type="text" name="ref" size="15" maxlength="10" class="formgrisosc"></td>
    </tr>
    <tr>
    <td class="formgriscla" width="100"><p class="dato">NIB Benefici&aacute;rio:</p></td>
    <td class="formgriscla"><input type="text" name="nibBeneficiario" size="30" maxlength="21" class="formgriscla"></td>
    </tr>
    <tr>
    <td class="formgrisosc" width="100"><p class="dato">Descri&ccedil;&atilde;o p/ Conta D&eacute;bito:</p></td>
    <td class="formgrisosc"><input type="text" name="debito" size="45" maxlength="45" class="formgrisosc"></td>
    </tr>
    <tr>
    <td class="formgriscla" width="100"><p class="dato">Descri&ccedil;&atilde;o p/ Conta Cr&eacute;dito:</p></td>
    <td class="formgriscla"><input type="text" name="credito" size="45" maxlength="45" class="formgriscla"></td>
    </tr>
    <tr>
    <td class="cabecera" colspan="2"><img src="images/1x1.gif" width=1 height=3 border="0"></td>
    </tr>
    </table> <!--Fim do table 3-->
    </center> <!--Fim do 3�center-->
    <center> <!--Inicio do 4� Center-->
    <!--Inicio da table 4�-->
    <table border="0" cellspacing="2" cellpadding="0">
    <tr>
    <td valign="top"><img src="images/limpar.gif" border="0" alt="Apagar"></td>
    <td valign="top"><img src="images/continuar.gif" border="0" alt="Continuar"></td>
    </tr>
    </table> <!--Fim do 4� Table-->
    </form> <!--Fim do FORM-->
    </center> <!--Fim do 4� Center-->
    </body> <!--Fim do BODY-->
    </html> <!--Fim do Html-->
    Thanks pepole!

    thanks people! when i try to validate the action "PTE" he gaves me (if i put a ALERT...) null.
    the js code is : (Moeda is coin )
    //testa amount
    // var ent = (f.amount.value);
    var tamanho = f.amount.value.length;
    var valor = f.amount.value;
    decimals = 2; // Apenas pode ter duas casas decimais?
    if (((tamanho == 0) || (valor == 0)) && ok)
    alert ("A import�ncia tem de ser maior que zero.");
    f.amount.focus();
    f.amount.select();
    ok = false;
    else
         alert(f.Moeda.value);
    if((f.Moeda.value=="PTE") && ok)
    for (j = 0; j < tamanho; j++)
    xx = valor.charAt(j);     
         if ((!(xx.match(numeroER)) && ok))
    alert ("O Campo Import�ncia deve ser num�rico inteiro.");     
         f.amount.focus();
         f.amount.select();
         ok = false;
              //if para limitar valor dos Escudos      
         if (ok)
         if (eval(valor) > 1000000)
         alert ("The field amount must be maxium 1 000 000 Pte.");     
         f.amount.focus();
         f.amount.select();
         ok = false;
    else
         if (ok)
              //function checkDecimals(f.amount, f.importancia.value) {
              if (isNaN(valor)) {
                   alert("O Campo Import�ncia deve ser num�rico e como separador decimal, o ponto.");
                   f.amount.select();
                   f.amount.focus();
                   ok = false;
              else {
                   timeshundred = parseFloat(valor * Math.pow(10, decimals));
                   integervalue = parseInt(parseFloat(valor) * Math.pow(10, decimals));
                   if (timeshundred != integervalue)
                   alert ("Apenas pode ter " + decimals + " casas decimais. Por favor tente outra vez.");
                   f.amount.select();
                   f.amount.focus();
                   ok = false;
              if (ok)
              {  //if to limit the value of the  Euros
         if(eval(valor) > 4988)
    alert ("The field amount must be maxium 4988 Eur.");     
         f.amount.focus();
         f.amount.select();
         ok = false;
    }//end of amount

  • Multiple Problems with itunes...PLEASE HELP

    i'm crossing posting this to try and get as much help as possible, so i'm sorry if you see this in a bunch of places.....
    i posted awhile back and didnt get much help and i'm still having problems with itunes
    first of all when i open itunes it attempts to do the gapless playback stuff....if i let it do it....it gets half way through and freezes....but if i stop it before it freezes, i am able to play music BUT not import any songs from cd, ipod, or downloading software....
    so, i deleted the library and imported "iTunes Music Library.xml"....then i went into my itunes folder and started dropping the songs into itunes...and i got about 3/4s of my music (about 25 gigs) and it starts to freezes when looking for album covers....if i force quit and reopen the song will be in there...just not the album work....which is fine....but if i have to force quit every time i import a song, its going to get rediculous....i have tried deleting the library and importing the "iTunes Music Library.xml" file about 6 times now, with the same results.....
    ALSO...when i connect my ipod to my computer (i have 80 gig 5G) it will freeze while syncing....
    i honestly have NO idea what to do....any suggestions would be welcomed...thanks....
    -Lisa

    modulatetome,
    See if these articles help to narrow down the issue:
    First: How to recreate your iTunes Library
    http://docs.info.apple.com/article.html?artnum=93313
    - You stated you had " deleted the library and imported "iTunes Music Library.xml", so verify steps in article are what you've done, or try them again.
    Second: How to open an alternate iTunes Library file or create a new one
    http://docs.info.apple.com/article.html?artnum=304447
    - You can use this to open iTunes with an empty Library, import one CD and test how iTunes works.
    Hope this helps,
    Generik
    Dual 2.3 GHz PowerPC G5   Mac OS X (10.4.8)  

  • HI YANN/VADIM...Still having problem in BADIs...please help me out

    Hi Yann/Vadim,
    Facing a problem in BADI can u please help me out...
    I am implementing sourcing dashboard.
    I am facing problem while implementing the badi BBP_ECS_PO_OUT_BADI in SRM. and BBP_PO_INBOUND_BADI in R3.
    i have written following code in BBP_ECS_PO_OUT_BADI in SRM
    method IF_EX_BBP_ECS_PO_OUT_BADI~BBP_B46B_PO_OUTBOUND.
    data : ls_item type BBP_PDS_PO_ITEM_D.
    data : w_customer_fields type BBPS_IF_CUSTOMER_FIELDS_PI.
    move 'POITEM' to w_customer_fields-refobject.
    move 'CATALOGID' to w_customer_fields-fieldname.
    move ls_item-catalogid to w_customer_fields-container.
    append w_customer_fields to ct_bapi_customer_fields.
    endmethod.
    i have created field zsrmcatalogid field in R3 in EKPO table.and i am now implementing the Badi in R3 for BBP_PO_INBOUND_BADI .....in extended classic scenario.
    i have written following code in R3 BADI
    method IF_EX_BBP_PO_INBOUND_BADI~BBP_MAP_BEFORE_BAPI.
    data : wa_customer_fields type bbps_if_customer_fields,
    wa_bapi_te_mepoitem type bapi_te_mepoitem,
    wa_bapi_te_mepoitemx type bapi_te_mepoitemx,
    wa_extensionin type bapiparex.
    data : txt_960(960) type c.
    read table bbp_customer_fields into wa_customer_fields with key
    refobject = 'POITEM' fieldname = 'CATALOGID'.
    if sy-subrc eq 0.
    move wa_customer_fields-container TO
    wa_bapi_te_mepoitem-zsrmcatalogid.
    wa_bapi_te_mepoitemx-zsrmcatalogid = 'X'.
    endif.
    clear txt_960.
    clear wa_extensionin.
    write wa_bapi_te_mepoitem to txt_960 left-justified.
    wa_extensionin-structure = 'BAPI_TE_MEPOITEM'.
    wa_extensionin-valuepart1 = txt_960(240).
    wa_extensionin-valuepart2 = txt_960+240(240).
    wa_extensionin-valuepart3 = txt_960+480(240).
    wa_extensionin-valuepart4 = txt_960+720(240).
    append wa_extensionin to bapi_extensionin.
    clear txt_960.
    clear wa_extensionin.
    write wa_bapi_te_mepoitemx to txt_960 left-justified.
    wa_extensionin-structure = 'BAPI_TE_MEPOITEMX'.
    wa_extensionin-valuepart1 = txt_960(240).
    wa_extensionin-valuepart2 = txt_960+240(240).
    wa_extensionin-valuepart3 = txt_960+480(240).
    wa_extensionin-valuepart4 = txt_960+720(240).
    append wa_extensionin to bapi_extensionin.
    endmethod.
    But its not working...
    The PO details are not passed from SRM to R3.......
    PLEASE CAN U GIVE ME EXACT CODE FOR CHANGES TO BE MADE IN THIS BADI ..AS IT IS NOT WORKING...
    Can anybody help me regarding how to debug the BADI in R3.
    Thanks in Advance...

    Hi Ravi,
    You can transfer the standard SRM catalog ID field to R/3 tracking number field (if not already used for another purpose) in the R/3 PO.
    This will avoid to implement the R/3 inbound bapi.
    Here is an extract of the code.
    The ECS PO badi example was here used to transfer the unlimited delivery flag to R/3 PO for a Z combination of criteria as well as the transfer of <b>catalog ID</b> to <b>tracking number field</b> in R/3 PO :
    method IF_EX_BBP_ECS_PO_OUT_BADI~BBP_B46B_PO_OUTBOUND.
    update unlimited delivery flag in R3 PO for combination of vendor +
    Product Category maintained in the bespoke table ZUD_PC_VNDR ..
      LOOP AT ct_bapi_poitem INTO ls_bapi_poitem.
        lv_tabix = sy-tabix.
        IF ls_bapi_poitem-po_item IS NOT INITIAL.
          READ TABLE it_item INTO ls_item
               WITH KEY number_int = ls_bapi_poitem-po_item
                          del_ind    = ' '.
          IF sy-subrc = 0.
    Set Unlimited delivery Flag
            read table li_zud_pc_vndr into ls_zud_pc_vndr
                            with key partner       = ls_partner-PARTNER_ID
                                       category_id = ls_item-category_id.
            if sy-subrc eq 0.
              ls_bapi_poitem-UNLIMITED_DLV = 'X'.
            endif.
    Set the Dummy catalog.. entry..
            if ls_item-catalogid eq c_dummy.
              ls_bapi_poitem-TRACKINGNO = c_noncat.
            endif.
            ls_bapi_poitem-GR_BASEDIV = ' '.
            modify ct_bapi_poitem from ls_bapi_poitem index lv_tabix
                          transporting UNLIMITED_DLV TRACKINGNO GR_BASEDIV.
          ENDIF. "READ TABLE it_item ..
        ENDIF.   "IF ls_bapi_poitem-po_item ..
      ENDLOOP.   "LOOP AT ct_bapi_poitem ..
    endmethod.
    Kind regards,
    Yann
    PS : please do reward helpful answers ))

  • Having Problem with IFRAME (JSP) Netscape!HELP!!!

    Hi ppl :)
    I�m having problems working out with netscape. If i use a script with one iframe(and i must use it...) at I.Explorer it works but with netscape, no way, the "box" doesn�t appear. :( I need HELP!!
    tHIS IS THE CODE :)
    <html>
    <head>
    <!--fd002_captura_dados_POR.jsp-->
    <title>BBVA - Fundos - Subscri&ccedil;&atilde;o de Fundos</title>
    <LINK rel=STYLESHEET type='text/css' href="estilos/tablas.css">
    <script language="Javascript" src="js/fd001_captura_dados.js"></script>
    <script language="javascript" src="js/limpar.js"></script>
    <script language="javascript" src="js/tiempo.js"></script>
    </HEAD>
    <body marginheight="0" marginwidth="0" leftmargin="0" topmargin="0" class="pag-contenido" onLoad="controlSesion();">
    <%@ include file="includecbtf.jsp" %>
    <%
    out.println("<form method=\"post\" name=\"captura\" action=\"" + urls.get("action") + "\"> ");
    %>
    <br>
    <center>
    <table border="0" cellpadding="0" cellspacing="0" width="500">
    <tr>
    <td colspan="3" ><img src="images/linea1.gif" border="0"></td>
    </tr>
    <tr>
    <td width="250"><img src="images/fundos.gif" border="0"></td>
    <td width="82"><img src="images/titular.gif" border="0"></td>
    <td width="169" class="fondotitular"><font class="texttitular"><%=datos.get("usuario")%></font></td>
    </tr>
    <tr>
    <td colspan="3"><img src="images/linea1.gif" border="0"></td>
    </tr>
    </table>
    <br><br>
    </center>
    <center>
    <table cellpadding="3" cellspacing="1" border="0" width="535">
    <tr>
    <td class="cabeceratitulo" colspan="4"><p class="titulotabla">Inten&ccedil;&atilde;o de Subscri&ccedil;&atilde;o do Fundo <%=datos.get("CodigoFundos")%></p></td>
         </tr>
         </td>     
    <table>
    <tr>
    <td class="cabeceratitulo" colspan="4"><p class="titulotabla">Condi&ccedil;&otilde;es</p></td>
    </tr>
    <tr>
    <td class=altas colspan="2" >
    <%
    java.lang.String selec1 = (java.lang.String)datos.get("CodigoFundos");
         String selec= selec1;
         String sel="";
         if(selec.equals("ACC"))
         sel= "fundo1.txt";
         if(selec.equals("APL"))
         sel= "fundo1.txt";
         if(selec.equals("BBVD"))
         sel= "fundo1.txt";
    if(selec.equals("BBVO"))
         sel= "fundo1.txt";
         if(selec.equals("BIT"))
         sel= "fundo1.txt";
         if(selec.equals("BON"))
         sel= "fundo1.txt";
    if(selec.equals("CAS"))
         sel= "fundo1.txt";
         if(selec.equals("CPZ"))
         sel= "fundo1.txt";
         if(selec.equals("EXT"))
         sel= "fundo1.txt";
         if(selec.equals("FINVEST"))
         sel= "fundo1.txt";
         if(selec.equals("GLO"))
         sel= "fundo1.txt";
         if(selec.equals("MIX30"))
         sel= "fundo1.txt";
         if(selec.equals("MIX60"))
         sel= "fundo1.txt";
         if(selec.equals("MI3"))
         sel= "fundo1.txt";
         if(selec.equals("MI6"))
         sel= "fundo1.txt";
         if(selec.equals("PPA"))
         sel= "fundo1.txt";          
    if(selec.equals("PPR"))
         sel= "fundo1.txt";
         if(selec.equals("TXV"))
         sel= "fundo1.txt";          
         %>
    <iframe width=500 height=300 src=js/<%=sel%>></iframe>
    </tr>
    <tr>
    <td align="right">
         <img src="images/aceito.gif" border="0" alt="Aceito">
    </td>
    <td>
         <img src="images/naceito.gif" border="0" alt="N�o Aceito">
    </td>
    </tr>
    </table>
    <br>
    </center>
    <center>
    <table cellpadding="3" cellspacing="1" border="0" width="535">
    <tr>
    <td class="cabeceratitulo" colspan="4"><p class="titulotabla">Inten&ccedil;&atilde;o de Subscri&ccedil;&atilde;o de Fundos</p></td>
         </tr>
    <tr>
    <td class="formgrisosc" width="120"><p class="dato">Seleccione Conta:     </p></td>
    <%
    java.util.Vector v = (java.util.Vector)(datos.get("ListaCuentas"));
    java.util.Hashtable elem;
    java.util.Enumeration e = v.elements();
    %>
                   <td class="formgrisosc" colspan="3">
    <select name="conta" size="1" class="formgrisosc">
    <%
    while (e.hasMoreElements()){
    elem = (com.ibm.dse.base.Hashtable)(e.nextElement());
    String cuenta = ((String)elem.get("s_banco")).trim()+"-"+((String)elem.get("s_oficina")).trim()+((String)elem.get("s_dcontrol")).trim()+((String)elem.get("s_num_cuenta")).trim();
    out.println("<option value=\"" + cuenta + "\">" + cuenta + "</option>");
    %>
    </select>
    </td>
    <tr>
    <td class="formgriscla" width="120"><p class="dato">Tipo de Subscri��o:</p></td>
    <td class="formgriscla" colspan="3">
              <select name="tiposubs" size="1" class="formgriscla">
    <option>Eventual</option>
    </select>
    </td>
    </tr-->
    <tr>
    <td class="cabecera" colspan="4"><img src="images/1x1.gif" width=1 height=3 border="0"></td>
    </tr>
    </table>
    <br><br>
    <table cellpadding="3" cellspacing="1" border="0" width="535">
    <tr>
    <td class="cabeceratitulo" colspan="4"><p class="titulotabla">Preencha um dos seguintes campos</p></td>
         </tr>
    <tr>
    <td class="formgrisosc" width="120"><p class="dato">N�mero de Up's:</p></td>
    <td class="formgrisosc" colspan="3">
    <input type="text" name="numero" size="15" maxlength="15" class="formgrisosc">
    </td>
    </tr>
    <tr>
    <td class="formgriscla" width="120"><p class="dato">Montante:</p></td>
    <td class="formgriscla" width="80"><input type="text" name="montante" size="15" maxlength="15" class="formgriscla"></td>
    <td class="formgriscla" width="50"><p class="dato">Moeda:</p></td>
    <td class="formgriscla">
    <select name="moeda" size="1" class="formgriscla">
    <option value="Escudos" selected>Escudos</option>
    <option value="Euro" >Euros</option>
    </select>
    </td>
    </tr>
    <tr>
    <td class="cabecera" colspan="4"><img src="images/1x1.gif" width=1 height=3 border="0"></td>
    </tr>
    </table>
    </center>
    <center>
    <table border="0" cellpadding="0" cellspacing="2">
    <tr>
    <td valign="top"><img src="images/limpar.gif" border="0" alt="Apagar"></td>
    <td valign="top"><img src="images/continuar.gif" border="0" alt="Continuar"></td>
    </tr>
    </table>
    </form>
    </center>
    <br><br>
    </body></html>
    Please help me out, because the iframes are terrible!
    thanks,
    Alex

    The <IFRAME> tag is IE specific; Netscape doesn't
    recognize it.
    Netscape uses the <LAYER> and <ILAYER> tags to
    accomplish the same thing; if you need to have a
    page-internal frame that has its own source, you'll
    need to use one of these tags.
    If you need to work with both browsers, you'll need to
    write out your tag based on the browser being used.
    Have fun!hello!
    I need one way to call another page, like you see in the code, a extension.txt, how can i do that?? can you make a sugestion?
    The <ilayer> doesn�t work :(

  • Having problems with menu bar! NEED HELP

    I'm having some serious problems with the finder menu bar. When I click on the blue apple, it won't show anything! It just highlights the blue apple without a pull down menu. Same goes for the Window pulldown menu. Also, under finder. when I click empty trash, or do the equivilent keyboard shortcut, it won't empty the trash. I have to ctrl click on the trashcan and empty it that way. Please help me fix my finder, or else I'm going to have to reformat and start ALL over which I really don't want to do. Thanks!
    PS This is on a Dual 1.42GHZ G4 Tower w/ Radeon 9800 Pro graphics card and 2GB (4X512mb) ram. I also updated to 10.4.7 from 10.4.6 to see if that fixed the problem, and no dice! Thanks!

    Well if the problem occurs in two accounts then it is systemic. When did the problem begin? Was it with a software update, sch as from 10.4.6 to .7? If so, try reapply the update using the Combo updater.
    IF that doesn't work you can re-install 10.4 using the Archive and Install method, which does not wipe your disk, does not require reinstalling all your applications etc, However, BACK UP YOUR DATA FIRST, and read up on the A&I before you do it.
    Hope this helps
    Regards
    TD

  • Having problem with Recovery Disk assistant. Help

    Hi apple community.
    I am having trouble with Recovery Disk Assistant.
    I want to re-install my mountain lion to restore all settings to default without deleting my personal data (e.g. Movies, documents, pictures, downloads, dowloaded programs like Photoshop cs6 and other downloaded apps)
    I want to make a bootable usb for mountain lion.
    so i am using the Recovery Disk Assistant.
    And when i open the Recovery disk assistant, i was expecting that the OS that will go onto the usb was Mountain lion. But i get OS X Lion instead.
    Of course i dont want to downgrade my mountain lion to its previos version of OS X which is Lion.
    How should i do this? Thanks.

    RDA simply copies your Recovery partition to the flash drive. If you're sure you have a Lion Recovery system, but you're running ML, then you need to download the ML installer from the App Store and run it.

  • Hello, I'm having problems with my new GX60. Help please...

    Hi first I want to congrats MSI for the good quality of their products. That's why I decided to buy a laptop, but here is my experience and my problems also. First I bought my laptop regarding the language problems, because it came with Windows 7 in Chinese, and thankfully to a chinese friend I could buy it.
    First, I couldn't find a MSI laptop in my country, and now that I won a scholarship in China i Decided to buy one here...in China!!
    And then I decided to go for MSI, and it's quite brand-new GX60-1AC...that is my first problem, I couldn't find the laptop model in the list and I registered my serial with another model that it's not mine....my model is a gaming series, the GX60-1AC, and mistakenly I've chose the GX600 which is an old model...
    --So, would you can change it for me please? because I want all the benefits of the warranty and want to extend it, please. Thanks for this priority problem.
    And the second problem is that I guess there is a promotion of Windows 8 about this laptops, the Gaming Series laptops. And I want to upgrade my laptop to Windows 8, but I don't know how to do it. Please help me out to do this. I can give you all the information you need. The receipt, original serial and other stuff.
    Thanks in advance and keep the good support.
    David Romero

    Thanks....I've downloaded that program, and it says that the CPU #0 is at 45 degrees....seems to be normal
    The Min is at 42 degrees and the Max is at 46 degrees.....
    And about the auto fan control, is there a way to modify it? I mean I want that the fan starts to spin at 5 minutes, or when the temperature rises to 60 degrees, as a example....is there a way to do that? because the fan starts to spin every 30 seconds, and the sound is somewhat annoying...is not too loud but you can hear it very clearly.......... so I don't know when and how it has to sound...is there any guide to know when a fan is defective?
    I mean probably MSI has some standard about the loudness of the fan...
    Also, thanks for the support, if this can help anyone else about something it could be great.
    PD. By the way I was reading about the EC resetting, is there any benefit to do that? and how about the battery calibration? I've spent my whole night without sleeping to make it work but in the end Windows 7 decided to sleep because the battery was at a critical level and when I restarted the Battery Calibration program was no responding and it was closed by Windows. >(
    Is there a guide of how to do that?
    PDD. Also I recently found about fan buzzing? fan whining? it could be possible for a new laptop...I can't distinguish both terms. And I can hear it just right after turning on the laptop and while I use it without playing nor doing anything else more than surfing in the web, like now.
    PDDD. Damn! I found that the Techpowerup GPU-Z shows me that the integrated GPU, the 7660G, is at 88 degrees!!! Here is a pic:
    Then HWmonitor tells me that it's at 43 degrees!?!!? is there any good and real program to get the real temperatures? Here is the pic from HWmonitor:

  • Having installation problems with flash player! Please help!

    So i download and begin installation for adobe flash player and it starts installing but stops at 50% to tell me to close Safari browsers. The problem is that there are no safari browsers open because I had already closed out of them but it keeps telling me to close them.
    I have no idea how to fix this, please help!!

    Hello,
    If you're just closing the browser window, you're not actually quitting the application.  You need to quit the application for Flash Player to install.  There are a few different ways to Quit Safari:
    Quit Safari app from the Dock icon:
    Mouse over the Safari icon in the Dock
    Press CTRL and left-mouse click at the same time
    A menu will display. Click Quit to terminate the application.
    Use Activity Monitor to terminate Safari:
    Launch Activity Monitor from Applications/Utilities/Activity Monitor
    Ensure 'All Processes' are being listed (menu in the upper right)
    Find and select Safari
    Click the Quit Process button (upper left)
    Maria

  • Problem with serial communicat​ion PLEASE HELP

    Hello everybody !
    I'd like to ask You for some feedback on my wierdo problem that I got with my program.
    I have built a device that detects changes in magnetic field. It is used for detecting vehicles passing it on a highway. Generally the main components communicate with each other by RS-485 protocol, but I would like to connect the device to a PC. To do so I am using a RS-232 protocol (I have a RS485=RS232 hardware converter).
    Now, I made the program (even two), which generally works, BUT some wierd things are going on sometimes; it happens that I have a problem to get a communication (after that, resetting the device by un-powering it helps, sometimes I have to restart the PC as well) but overall it happens quite not so often. The project itself is for passing one of my subject on the university - so I have to run the whole thing over there, here comes another problem : the program did not work on all of the bunch of PC's that are there. Same thing happens on my notebook. The effect of 'non working' is : I am recieving same data packet that is beeing sent... BTW : notebook does not have a RS232 port and I am using a USB-RS232 calbe converter (to count it out from the reason of problems I have checked it on my main PC and it works almost fine - almost because ocasionally I am getting the same sympthomps as I mentioned before ).
    Other problem is, when it works, that I am loosing communication for couple of hundreds of miliseconds and then it comes back to normal (i can see it on the osciloscope).
    I alredy looked for some answears here and there, and I found some suggestions about using 'buffer cleaning method', unfortunatelly I kinda do not know how to do it, and might that help anyways ?
    I also thought about using VISA drivers, but I am having trouble with it as well - the damn thing just does not work.
    My very bling guess is that everyting that I am expierencing is about using the communication protocol and seting it right. I am attaching both of the programs, PLEASE anyone pretty pretty help I totally ran out of ideas and knowledge and day after day I am turning it on and off on my PC and notebook hoping some miracle will occour ... 
    Many many thanks in advance !
      Best regards
                    Tom
    P.S. the program is very unfinished (man things are just put in), the main thing I am struggling now is getting, and setting the communication protocol right.
    Attachments:
    detektor_3_2.vi ‏141 KB

    The biggest problem I see is in the sequence:
    Write out a string.
    Wait 50 mSec.
    Ask how many bytes have been received.
    Read that many bytes.
    Can you guarantee that the data can make a round trip in 50 mSec?
    You should know that the SERIAL PORT WRITE completes NOT when the data has been sent out the port, but when it has been BUFFERED for sending. In other words it returns and starts the timer BEFORE it is actually sent.
    Also, given that there are 232 -> 485 --> USB conversions involved in both directions, I would bet that you are sometimes not allowing enough time for the data to get back.
    If you can control the protocol of what gets sent back, I would change your receiving logic. I think you should check for a carriage return or some other delimiter, and not react until you get that character (or until a reasonable timeout expires).
    In other words, try synchronizing the two ends. Something like:
    N = Get # bytes at port
    Read N bytes from port (flush any characters waiting).
    Write out command string.
    TimeLimit = NOW + 1000 mSec (or whatever)
    S = ''; (Working string)
    repeat
    N = #Bytes at Port
    If N > 0
    S = S + Read N Bytes
    Found = Search String for Delimiter
    until Found or (Now > TimeLimit)
    If Found, parse string S
    You are also re-initializing the port (SERIAL PORT INIT) every time thru the outer loop - that's unnecessary.
    Steve Bird
    Culverson Software - Elegant software that is a pleasure to use.
    Culverson.com
    Blog for (mostly LabVIEW) programmers: Tips And Tricks

Maybe you are looking for