Ingenious code not ingeniously working :(

I wrote an auditing system that is supposed to be able to log all changes in any table that is picked. The following is the code, and the error message that comes up when I try to insert into the table. Basically what its supposed to do is check with the database to see which columns to log, and then creates the object types which are loaded by dynamically created bind variables....
the concept is a little hard to imagine, so if u have questions let me know...
CREATE OR REPLACE TRIGGER TRC_LND_INSERT
AFTER INSERT
ON LOAN_DEALS
FOR EACH ROW
DECLARE
CURSOR C IS
SELECT TRCT_TRACE_TABLE,
TRCP_PRI_KEY,
COLUMN_NAME,
DATA_TYPE,
ACTIVE_FLAG
FROM TRCTBL_PRIMARY_COLUMNS
WHERE TRCT_TRACE_TABLE = 'LOAN_DEALS';
CURSOR E IS
SELECT AUD.TRCT_TRACE_TABLE,
AUD.TRCC_COLUMN_NAME,
TCOL.DATA_TYPE
FROM TRCTBL_COLUMN_NAMES TCOL,
TRCTBL_AUDIT_COLUMNS AUD
WHERE TCOL.TRCT_TRACE_TABLE = AUD.TRCT_TRACE_TABLE
AND TCOL.COLUMN_NAME = AUD.TRCC_COLUMN_NAME
AND AUD.TRCT_TRACE_TABLE = 'LOAN_DEALS';
V_PRI_KEY TRCTBL_PRIMARY_KEYS.PRI_KEY%TYPE;
V_PRI_STACK VARCHAR2(4000);
V_COL_STACK VARCHAR2(4000);
BEGIN
SELECT PRI_KEY
INTO V_PRI_KEY
FROM TRCTBL_PRIMARY_KEYS
WHERE TRCT_TRACE_TABLE = 'LOAN_DEALS';
V_PRI_STACK := 'AUDIT_PRI_TABLE(';
V_COL_STACK := 'AUDIT_TABLE(';
FOR D IN C LOOP
V_PRI_STACK := V_PRI_STACK||CHR(10)||
'AUDIT_PRIMARY('||''''||D.TRCT_TRACE_TABLE||''','||''''||D.TRCP_PRI_KEY||''','||''''||D.COLUMN_NAME||''','||'TO_CHAR(:NEW.'||D.COLUMN_NAME||')),';
END LOOP;
V_PRI_STACK := RTRIM(V_PRI_STACK, ',')||')';
FOR G IN E LOOP
V_COL_STACK := V_COL_STACK||CHR(10)||
'AUDIT_COLUMN('||''''||G.TRCT_TRACE_TABLE||''','||''''||G.TRCC_COLUMN_NAME||''','||'TO_CHAR(:NEW.'||G.TRCC_COLUMN_NAME||')),';
END LOOP;
V_COL_STACK := RTRIM(V_COL_STACK, ',')||')';
EXECUTE IMMEDIATE (
'DECLARE'||CHR(10)||
' V_PRI_LOAD AUDIT_PRI_TABLE;'||CHR(10)||
' V_COL_LOAD AUDIT_TABLE;'||CHR(10)||
'BEGIN'||CHR(10)||
' V_PRI_LOAD := '||V_PRI_STACK||';'||CHR(10)||
' V_COL_LOAD := '||V_COL_STACK||';'||CHR(10)||
' TRC_TRANSACTIONS_PKG.RECORD_TRANSACTION('||CHR(10)||
' V_COL_LOAD,'||CHR(10)||
' V_PRI_LOAD,'||CHR(10)||
' '||''''||'I'||''');'||CHR(10)||
'END;');
END;
ORA-01008: not all variables bound
ORA-06512: at "LOANADMIN.TRC_LND_INSERT", line 39
ORA-04088: error during execution of trigger 'LOANADMIN.TRC_LND_INSERT'

Okay. If it does then I need to get this peice of code to work. Ive pasted the code again this time with some comments in it, so its a little more understandable what im trying to do... I dont know if the USING clause is what im looking for, unless I can dynamically create that part of the clause some how...
CREATE OR REPLACE TRIGGER TRC_LND_INSERT
AFTER INSERT
ON LOAN_DEALS
FOR EACH ROW
DECLARE
/* the cursor below grabs all columns inside the primary key of any named table.
in this scenario it is "loan_deals" */
CURSOR C IS
SELECT TRCT_TRACE_TABLE,
TRCP_PRI_KEY,
COLUMN_NAME,
DATA_TYPE,
ACTIVE_FLAG
FROM TRCTBL_PRIMARY_COLUMNS
WHERE TRCT_TRACE_TABLE = 'LOAN_DEALS';
/* the cursor below grabs all columns picked by the user to log of any named table.
in this scenario it is "loan_deals" */
CURSOR E IS
SELECT AUD.TRCT_TRACE_TABLE,
AUD.TRCC_COLUMN_NAME,
TCOL.DATA_TYPE
FROM TRCTBL_COLUMN_NAMES TCOL,
TRCTBL_AUDIT_COLUMNS AUD
WHERE TCOL.TRCT_TRACE_TABLE = AUD.TRCT_TRACE_TABLE
AND TCOL.COLUMN_NAME = AUD.TRCC_COLUMN_NAME
AND AUD.TRCT_TRACE_TABLE = 'LOAN_DEALS';
V_PRI_KEY TRCTBL_PRIMARY_KEYS.PRI_KEY%TYPE;
V_PRI_STACK VARCHAR2(4000);
V_COL_STACK VARCHAR2(4000);
BEGIN
SELECT PRI_KEY
INTO V_PRI_KEY
FROM TRCTBL_PRIMARY_KEYS
WHERE TRCT_TRACE_TABLE = 'LOAN_DEALS';
/* build the audit_table, and audit_pri_table objects by using a cursor for loop. output
of the variables afterwards should look something like this:
AUDIT_TABLE(
AUDIT_COLUMN('LOAN_DEALS','ADDRESS_1', '2412 SE. BELMONT ST'),
AUDIT_COLUMN('LOAN_DEALS','ADDRESS_2', 'APT 2'),
AUDIT_COLUMN('LOAN_DEALS','CI_CITY', 'PORTLAND'),
AUDIT_COLUMN('LOAN_DEALS','ZP_ZIP_CODE', '97214'),
AUDIT_COLUMN('LOAN_DEALS','STE_STATE', 'OREGON'),
AUDIT_COLUMN('LOAN_DEALS','DL_NUMBER', '032632'),
AUDIT_COLUMN('LOAN_DEALS','LOAN_CHARGE', '18'),
AUDIT_COLUMN('LOAN_DEALS','LOAN_APR', '400'),
AUDIT_COLUMN('LOAN_DEALS','LOAN_TERM', '14')); */
V_PRI_STACK := 'AUDIT_PRI_TABLE(';
V_COL_STACK := 'AUDIT_TABLE(';
FOR D IN C LOOP
V_PRI_STACK := V_PRI_STACK||CHR(10)||
/* 'TO_CHAR(:NEW.'||D.COLUMN_NAME||') is used because when the dynamic block reads the stack variable D.COLUMN_NAME will be replaced with the actual column name in the bind variable, thus dynamically creating the bind variables and object type */
'AUDIT_PRIMARY('||''''||D.TRCT_TRACE_TABLE||''','||''''||D.TRCP_PRI_KEY||''','||''''||D.COLUMN_NAME||''','||'TO_CHAR(:NEW.'||D.COLUMN_NAME||')),';
END LOOP;
V_PRI_STACK := RTRIM(V_PRI_STACK, ',')||')';
FOR G IN E LOOP
V_COL_STACK := V_COL_STACK||CHR(10)||
'AUDIT_COLUMN('||''''||G.TRCT_TRACE_TABLE||''','||''''||G.TRCC_COLUMN_NAME||''','||'TO_CHAR(:NEW.'||G.TRCC_COLUMN_NAME||')),';
END LOOP;
V_COL_STACK := RTRIM(V_COL_STACK, ',')||')';
/* drop the object types into the dynamic block and execute it */
EXECUTE IMMEDIATE (
'DECLARE'||CHR(10)||
' V_PRI_LOAD AUDIT_PRI_TABLE;'||CHR(10)||
' V_COL_LOAD AUDIT_TABLE;'||CHR(10)||
'BEGIN'||CHR(10)||
' V_PRI_LOAD := '||V_PRI_STACK||';'||CHR(10)||
' V_COL_LOAD := '||V_COL_STACK||';'||CHR(10)||
' TRC_TRANSACTIONS_PKG.RECORD_TRANSACTION('||CHR(10)||
' V_COL_LOAD,'||CHR(10)||
' V_PRI_LOAD,'||CHR(10)||
' '||''''||'I'||''');'||CHR(10)||
'END;');
END;
/

Similar Messages

  • Hotspot text compiles showing code, not a working link

    Help would be very appreciated; sorry for not being able to find this in the Adobe site or Grainge..
    Everytime I open my webhelp project, the hotspot text shows code instead of remaining as a hotspot; this is true if the hotspot is in a table or outside table.  I have to keep rebuilding my hotspot text almost everwhere >>> not everywhere <<<<< in my word doc.
    Everytime I open the file, the word doc does not keep the hotspot as a hotspot, shows the code, or the compiled version shows a green instead of blue color, and on top of all this, everytime I open the hpj file I cannot get the toolbar to display properly; all the Robohelp stuff that should be in the toolbar ISNT and I have to keep going into view /toolbars/ customize /options /always show full menus and toggle the dang little checkbox on and off even THOUGH it's already checked.
    What gives and note: I am an original user of RH from the way back machine.
    Also note: I would REALLY like to avoid having to do a reinstall so if ANYONE can comment on this please do asap.
    Also, has anyone else noticed we cannot read the apology text anymore re: the Adobe support apology?
    TC

    Knowing what edition and version of RH you are using would help, see Before You Post.
    Also a screenshot would be helpful. Use the camera icon please to post it.
    Someone else reported a problem with the apology letter some weeks back and I tested it then, The link worked. I have just tested it again and it is working fine. Not sure why you are having a problem.
    See www.grainge.org for RoboHelp and Authoring tips
    Follow me @petergrainge

  • JRE 1.5 update causes code not to work

    OK - I need to understand the relationship between the private JRE in the JDK and the public JRE.
    I let the auto-update function update my 1.4.2 JRE to 1.5 and now my application won't run from the command line (although it will still run from inside NetBeans).
    My real confusion is that my classpath specifies the JRE inside the 1.4.2 JDK as tthe one to use.
    Here's my command line:
    java -classpath c:\JavaCode\IrrigationControl\dist\IrrigationControl.jar;c:\JavaCode\freetts-1.2\lib\freetts.jar;c:\OneWireAPI\lib\OneWireAPI.jar;c:\j2sdk1.4.2_06\jre\lib\rt.jar;%classpath% MainProgram.MainProgramWindow
    I am completely confused. any help would be appreciated.
    Peter

    Thanks,
    I am not trying to use 1.4.2.
    I copied this command line from a Java example and never really understood why it is the way it is. I've read the Java books I have and since they try to be platform independent, they are always vauge on the details of building a windows command line.
    Peter

  • The javascript code which is working on safari is not working on firefox. When I debugged it from HTTPFOX it gave NS_ERROR_DOCUMENT_NOT_CACHED error

    I have a javascript code which is working fine with safari but not working at all in firefox. The code is
    <pre><nowiki><html><head></head>
    <body>
    <button type="button" onClick="handleButtonClick();">undo</button>
    <button type="button">redo</button>
    <select><option value="V1">V1</option>
    <option value="V2">V2</option>
    <option value="V3">V3</option>
    <option value="V4">V4</option>
    <option value="V5">V5</option></select>
    <script type="text/javascript">
    function handleButtonClick(){var xmlHttp, handleRequestStateChange;
    handleRequestStateChange = function() {if (xmlHttp.readyState==4 && xmlHttp.status==200) { var substring=xmlHttp.responseText; alert(substring); } }
    xmlHttp = new XMLHttpRequest();
    xmlHttp.open("GET", "http://csce.unl.edu:8080/test/index.jsp?id=c6c684d9cc99476a7e7e853d77540ceb", true);
    xmlHttp.onreadystatechange = handleRequestStateChange; xmlHttp.send(null);}
    </script>
    </body>
    another I am getting this also in url text/html (NS_ERROR_DOM_BAD_URI)
    </html>
    </nowiki></pre>
    Whats going wrong I can't figure out. Kindly suggest... I am struggling with this for last few days..

    Try posting at the Web Development / Standards Evangelism forum at MozillaZine. The helpers over there are more knowledgeable about web page development issues with Firefox. <br />
    http://forums.mozillazine.org/viewforum.php?f=25 <br />
    You'll need to register and login to be able to post in that forum.

  • Jsp code not working

    hello
    we have some class files that are in a zip file that the nw admin has included in the CLASSPATH.
    The code works on Windows w/Tomcat but not the remote Sun Web Server, we cannot get the connection to database due to the code not reading the class files.
    Has anyone come up against anything of this nature. Any thoughts are appreciated.

    yeah we're not getting the str replace error any more - heres index.jsp
    <%@ page contentType="text/html; charset=iso-8859-1" language="java" import="java.sql.*" errorPage="" %>
    <%@ include file="admin/include/db.jsp" %>
    <html>
    <head>
    <title>Toshiba Industrial Systems</title>
    <meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1">
    <link href="common/css/master.css" rel="stylesheet" type="text/css">
    <script type="text/javascript" language="Javascript" src="common/js/master.js"></script>
    <script>
    var strBCLink1 = "placeholder.html";
    var strBCLink2 = "index_oc.jsp";
    var strBCLink3 = "prod_100.jsp";
    var strBCText1 = "Industrial Systems";  
    var strBCText2 = "Uninterruptible Power Systems";
    var strBCText3 = "1000 Series";
    </script>
    <script language="JavaScript" type="text/JavaScript">
    function MM_swapImgRestore() { //v3.0
      var i,x,a=document.MM_sr; for(i=0;a&&i<a.length&&(x=a)&&x.oSrc;i++) x.src=x.oSrc;
    function MM_preloadImages() { //v3.0
    var d=document; if(d.images){ if(!d.MM_p) d.MM_p=new Array();
    var i,j=d.MM_p.length,a=MM_preloadImages.arguments; for(i=0; i<a.length; i++)
    if (a[i].indexOf("#")!=0){ d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];}}
    function MM_findObj(n, d) { //v4.01
    var p,i,x; if(!d) d=document; if((p=n.indexOf("?"))>0&&parent.frames.length) {
    d=parent.frames[n.substring(p+1)].document; n=n.substring(0,p);}
    if(!(x=d[n])&&d.all) x=d.all[n]; for (i=0;!x&&i<d.forms.length;i++) x=d.forms[i][n];
    for(i=0;!x&&d.layers&&i<d.layers.length;i++) x=MM_findObj(n,d.layers[i].document);
    if(!x && d.getElementById) x=d.getElementById(n); return x;
    function MM_swapImage() { //v3.0
    var i,j=0,x,a=MM_swapImage.arguments; document.MM_sr=new Array; for(i=0;i<(a.length-2);i+=3)
    if ((x=MM_findObj(a[i]))!=null){document.MM_sr[j++]=x; if(!x.oSrc) x.oSrc=x.src; x.src=a[i+2];}
    //-->
    </script>
    <style type="text/css">
    </style>
    </head>
    <body>
    <table height="100%" width="100%" border="0" cellspacing="0" cellpadding="0">
    <tr>
    <td height="87">
    <%@ include file="_header.jsp" %>
    </td>
    </tr>
    <tr>
    <td align="left" class="backGlobalNav" valign="top" height="21" >
    <%@ include file="_nav_global.jsp" %>
    </td>
    </tr>
    <tr>
    <td align="left" valign="top" height="23">
    <%@ include file="_breadcrumb.jsp" %>
    </td>
    </tr>
    <tr>
    <td align="left" valign="top">
    <table width="100%" height="100%" border="0" cellspacing="0" cellpadding="0">
    <tr>
    <td width="160">
    <%@ include file="_nav_side_ups.jsp" %>
    </td>
    <td width="8" align="center" valign="middle"><img src="common/images/spacer.gif" alt="" width="1" height="1"></td>
    <td width="605" align="left" valign="top">
              <TABLE cellSpacing=0 cellPadding=0 width="100%"
    border=0>
    <TBODY>
                   <tr><td height="5"></td></tr>
                        <%
                        if(((request.getParameter("id3")==null))){
                        %>
    <TR>
    <TD width=605 align="left" valign="top">
    <object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase="http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=6,0,29,0" width="605" height="250">
    <param name="movie" value="admin/index_images/index.swf">
    <param name="quality" value="high">
    <embed src="admin/index_images/index.swf" quality="high" pluginspage="http://www.macromedia.com/go/getflashplayer" type="application/x-shockwave-flash" width="605" height="250"></embed></object>                                        
                        </TD>
    </TR>
                        <%}
                        else{
                        str1="";
                        Statement smt4l = conn.createStatement();
                        str1 ="select * from tbl_item where int_parent_id=" + request.getParameter("id3");
                        ResultSet rs_4l=smt4l.executeQuery(str1);
                        %>
    <TR>
    <TD width=605 align="left" height="250" valign="middle" bgcolor="#F0F0F0">
                             <table border="0" width="100%">
                                  <%while (rs_4l.next()){ %>
                                  <tr>
                                       <td>
                                            <a href="./<%=rs_4l.getString(str_link")%">?id1=<%=request.getParameter("id1")%>&id2=<%=request.getParameter("id2")%>&id3=<%=request.getParameter("id3")%>&id4=<%=rs_4l.getInt("int_item_id")%>" class="nav2ndOff">
                                            <%=rs_4l.getString("str_title")%>
                                            </a>
                                       </td>
                                  </tr>
                                  <%}%>
                             </table>
                        </TD>
    </TR>
                        <%
                        }%>
    <TR>
    <TD vAlign=top align=left></TD>
    </TR>
    <TR>
    <TD vAlign=top align=left height=5><IMG height=1
    alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    </TR>
    <TR>
    <TD vAlign=top align=left> <TABLE cellSpacing=0 cellPadding=0 border=0>
    <TBODY>
    <TR>
    <TD vAlign=top align=left> <TABLE cellSpacing=0 cellPadding=0 width=605
    border=0>
    <TBODY>
    <TR>
    <TD class=backGrayMed height=17 align="left" valign="middle"><SPAN
    class=contentBoxOC> Featured Products</SPAN> </TD>
    <TD class=backWhite width=1><IMG height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    <TD class=backGrayMed align="left" valign="middle"><SPAN
    class=contentBoxOC> News</SPAN></TD>
    </TR>
    <TR>
    <TD vAlign=top align=left width=399><IMG
    height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    <TD class=backGrayLight vAlign=top align=left
    width=1 rowSpan=2><IMG height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    <TD vAlign=top align=left width=200 height=10>
    <!-- LiveEdit marker DO NOT REMOVE -->
    <IMG
    height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    </TR>
    <TR>
    <TD vAlign=top align=left><table width="100%" height="100%" border="0" cellpadding="0" cellspacing="0">
    <tr>
    <td height="237" align="left" valign="top">
    <table width="405" border="0" cellspacing="0" cellpadding="0">
    <!---->
                                                           <!---->
    <%
                                                                Statement smt_featured = conn.createStatement() ;
                                                                ResultSet rs_featured=smt_featured.executeQuery("select * from tbl_item where int_parent_id= 0 and bit_featured=1");
                                                           %>
    <tr>
    <%
                                                           int i=0;
                                                           while(rs_featured.next()){
                                                           i++;
                                                           Statement smt_featured1 = conn.createStatement() ;
                                                           ResultSet rs_featured1=smt_featured1.executeQuery("select * from tbl_item where int_item_id= "+rs_featured.getInt("int_item_id"));
                                                           rs_featured1.next();
                                                           %>
    <td width="1"></td>
    <td width="190" height="190" align="left" valign="top" style="cursor:hand">
    <table width="100%" height="190" border="0" background="common/images/featured/back_box.gif" cellpadding="0" cellspacing="0">
                                                                <a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>">
    <tr>
    <td height="18" colspan="2" align="left" valign="bottom" class="headerMainProdFeature">
                                                                     <a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>" class="headerMainProdFeature" >
                                                                     <%
                                                                     if((rs_featured.getString("str_title").length() )>20){
                                                                          out.print(rs_featured.getString("str_title").substring(0,20));
                                                                     else{
                                                                          out.print(rs_featured.getString("str_title"));
                                                                     %>
                                                                     </td>
    </tr></a>
    </a>
                                                                <a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>">
    <tr>
    <td height="10" colspan="2" align="left" valign="bottom" ><a href="#" class="navfeat"><%=rs_featured.getString("str_subtitle")%></td></tr></a>
    </a>
                                                                <a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>">
    <tr>
    <td height="94" colspan="2" align="center" valign="middle"><a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>"><img src="admin/product_images/<%=rs_featured.getString("str_image")%>" border="0"></td></tr></a>
    </a>
                                                                <a href="<%=rs_featured1.getString("str_link")%>?<%=current_url_paramenters%>&<%=next_url_paramenter%>=<%=rs_featured.getInt("int_item_id")%>">
    <tr>
    <td width="100%" height="16" align="right" valign="middle"><img src="common/images/featured/arrow.gif" width="17" height="18">  </td>
    </tr></a>
    </table>
                                                                </td>
    <td width="9"></td>
    <%if((i%2)==0){%>
    </tr>
    <tr>
    <td height="9"></td>
    </tr>
    <tr>
    <%}
                                                                }%>
    <td></td>
    </tr>
    <tr>
    <td height="8"></td>
    </tr>
    <tr>
    <td height="8"></td>
    </tr>
    </table> </td>
    </tr>
    </table> </TD>
    <TD vAlign=top align=middle> <TABLE cellSpacing=0 cellPadding=0 width="95%"
    border=0>
    <TBODY>
    <%
                                                      Statement smt_news = conn.createStatement() ;
                                                      ResultSet rs_news=smt_news.executeQuery("select * from tbl_news where bit_active=1 and bit_featured=1");
                                                      while(rs_news.next()){
                                                      %>
    <TR>
    <TD vAlign=top align=center><IMG
    src="common/images/featured/82.gif" alt="" width="3" height="5"
    border=0></TD>
    <TD vAlign=top align=left> <A class="pr" href="./admin/news/<%=rs_news.getString("str_link")%>" target="_blank">
    <%=rs_news.getString("str_title")%>
    </A> </TD>
    </TR>
    <TR>
    <TD vAlign=top align=left><IMG height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    <TD vAlign=top align=left height=6>
    <!-- LiveEdit marker DO NOT REMOVE -->
    <IMG
    height=1 alt=""
    src="Hard Drives & Optical Drives_files/spacer.gif"
    width=1></TD>
    </TR>
    <%}%>
    <TR>
    <TD vAlign=top
    align=left></TD>
    </TR>
    </TBODY>
    </TABLE></TD>
    </TR>
    </TBODY>
    </TABLE>
                                       </TD>
    </TR>
    </TBODY>
    </TABLE></TD>
    </TR>
    </TBODY>
    </TABLE></td>
    <td align="left" valign="top"> </td>
    </tr><tr>
    <td height="5" colspan="4"><img src="common/images/spacer.gif" width="1" height="1"></td>
    </tr>
    <tr>
    <td height="30" align="left" valign="top" colspan="4">
    <%@ include file="_footer.jsp" %>
    </td>
    </tr>
    </table>
    </td>
    </tr>
    </table>
    </body>
    and here is db.jsp
    <%@ page import="com.oreilly.servlet.MultipartRequest,java.io.*;"%>
    <%!
    String nl2br(String str){
         str=blanknull(str);
         return str.replaceAll("\n", "<br>");
    String addslashes(String str){
         str = str.replaceAll("'", "''");
         return str;     
    String getExtention(String str){
         int pos = str.indexOf(".");
         return str.substring(pos,str.length());
    String getExtention1(String str){
         int pos = str.indexOf(".");
         return str.substring(pos+1,str.length());
    String convertFileSize(long size) {
         int divisor = 1;
         String unit = "b";
         if (size >= 1024 * 1024) {
              divisor = 1024 * 1024;
              unit = "M";
         else if (size >= 1024) {
              divisor = 1024;
              unit = "K";
         if (divisor == 1) return size / divisor + " " + unit;
         String aftercomma = "" + 100 * (size % divisor) / divisor;
         if (aftercomma.length() == 1) aftercomma = "0" + aftercomma;
         return size / divisor +  " " + unit;
    String highlight_key(String str, String key,String color){
         //str = str.replaceAll("(?i)"+key, "<font color='"+color+"'><b>"+key+"</b></font>");
         return str;
    String first_sentence(String str, String key){
         int pos = str.indexOf(".");
         if(pos==-1){
              pos=str.length();
              return str;
         String str1=str.substring(0,pos);
         int pos1 = str1.indexOf(key);
         if(pos1==-1 && pos!=str.length()){
              str=str.substring(pos+1,str.length());
              return first_sentence(str,key);
         else{
              return str1;
    String blanknull(String s) {
    return (s == null) ? "" : s;
    String removeslashes(String str){
         str = str.replaceAll("''", "'");
         return str;     
    void sendmail(String to,String from, String subject, String message){
    //String from="[email protected]";
    //String to="[email protected]";
    try{
         SmtpClient client = new SmtpClient("mail.xxxxx.xxx");
         client.from(from);
         client.to(to);
         PrintStream message = client.startMessage();
         message.println("To: " + to);
         message.println("Subject:  "+subject+"!");
         message.println(message);
         message.println();
         message.println();
         client.closeServer();
      catch (IOException e){     
         System.out.println("ERROR SENDING EMAIL:"+e);
    %>
    <%
    Connection conn = null;
    //String dbUrl = new String("jdbc:mysql://localhost/toshiba?user=root&password=");
    Class.forName("oracle.jdbc.driver.OracleDriver").newInstance();
    conn = DriverManager.getConnection("jdbc:oracle:thin:@10.0.112.92:1524:cweb","mhunter","chester");
    Statement smt = conn.createStatement() ;
    String path=getServletConfig().getServletContext().getRealPath("admin");
    String imagepath=path+"/product_images";
    String tagpath=path+"/tag_files";
    String newspath=path+"/news";
    String envpath=path+"/env_images";
    String resumepath=path+"/resume_files";
    String pagepath=path+"/pages_files";
    String downloadpath=path+"/download_files";
    %></a>

  • When I download an excel spread sheet from a Ford web site I seem to be getting code and not the work sheet. Example- MIME-Version: 1.0 X-Document-Type: Workbook Content-Type: multipart/related; boundary="====Boundary===="

    I have a Macbook Air. I have MS office installed and work in Excel often with no issues. But When I download an excel spread sheet from a Ford web site I seem to be getting code and not the work sheet.
    Example-
    MIME-Version: 1.0
    X-Document-Type: Workbook
    Content-Type: multipart/related; boundary="====Boundary===="
    --====Boundary====
    Content-Location: file:///C:/HOLD.XHT
    Content-Transfer-Encoding: 8bit
    Content-Type: text/html; charset="utf-8"
    <html xmlns:v="urn:schemas-microsoft-com:vml"
    xmlns:o="urn:schemas-microsoft-com:office:office"
    xmlns:x="urn:schemas-microsoft-com:office:excel"
    xmlns="http://www.w3.org/TR/REC-html40">
    <HEAD>
    <meta name="Excel Workbook Frameset">
    <xml>
    <x:ExcelWorkbook>
      <x:ExcelWorksheets>
       <x:ExcelWorksheet>
        <x:Name>BTB</x:Name>
        <x:WorksheetSource HRef="./IBIT0001.xht"/>
       </x:ExcelWorksheet>
       <x:ExcelWorksheet>
        <x:Name>GSM</x:Name>
        <x:WorksheetSource HRef="./IBIT0002.xht"/>
       </x:ExcelWorksheet>
       <x:ExcelWorksheet>
        <x:Name>RODetail</x:Name>
        <x:WorksheetSource HRef="./IBIT0003.xht"/>
       </x:ExcelWorksheet>
      </x:ExcelWorksheets>
    </x:ExcelWorkbook>
    </xml>
    </HEAD>
    </HTML>
    --====Boundary====
    Content-Location: file:///C:/IBIT0001.xht
    Content-Transfer-Encoding: 8bit
    Content-Type: text/html; charset="utf-8"
    <html xmlns:v="urn:schemas-microsoft-com:vml"
    xmlns:o="urn:schemas-microsoft-com:office:office"
    xmlns:x="urn:schemas-microsoft-com:office:excel"
    xmlns="http://www.w3.org/TR/REC-html40">
    <HEAD>
    <meta http-equiv=Content-Type content="text/html; charset=utf-8">
    <style>
    <!--table
            {mso-displayed-decimal-separator:"\.";
            mso-displayed-thousand-separator:"\,";}
    @page
            {margin:1.0in .75in 1.0in .75in;
            mso-header-margin:.5in;
            mso-footer-margin:.5in;
            mso-page-orientation:landscape;}
    tr
            {mso-height-source:auto;}
    col
            {mso-width-source:auto;}
    br
            {mso-data-placement:same-cell;}
    .style21
            {color:blue;
            font-size:10.0pt;
            font-weight:400;
            font-style:normal;
            text-decoration:underline;
            text-underline-style:single;
            font-family:Arial;

    Try search/ask in the forum devoted entirely to Excel issues:
    http://answers.microsoft.com/en-us/mac/forum/macexcel

  • Interactive USSD codes - not working

    When will this feature be addressed? Every phone on the market today in Europe supports replies to USSD messages!
    In my current home network, I need to type in *797# and choose an option from the presented menu (1, 2, 3 or 4) in order to check my balance, which I am able to do with any phone, other than my Pre (sw v1.4.5) - my request simply times-out.
    I don't want to swap out SIM cards every now and then just to interact with my network... will Palm at least acknowledge the fact that USSD codes don't work properly? Mmkay?
    Post relates to: Pre p100ueu (O2)

    Same problem in Malaysia. I have try two main carrier DiGi and Maxis. Simple USSD(like check balance in one page, not menu) is OK, but the interactive ussd can't use, SIM card toolkit will open when I send the USSD code. I think the main problem is webOS as both carrier isn't virtual carrier.
    P.S.Even Nokia 3310, the famous and classic phone in Malaysia History can also use USSD and USSD run full-functionally.

  • Linking to specific spry tabbed panel - code not working

    Hi,
    I have followed the tutorial at
    http://foundationphp.com/tutorials/spry_url_utils.php
    with regard to being able to link to a specific tab. For some
    reason though, my code doesn't work. I am usign Dreamweaver cs3,
    and as soon as I head back to the design view, or preview it in a
    browser for that matter, all I see is each tab one above the other,
    and the tabs no longer work.
    My code is as follows:
    <script src="../SpryAssets/SpryTabbedPanels.js"
    type="text/javascript"></script>
    <link href="../SpryAssets/SpryTabbedPanels.css"
    rel="stylesheet" type="text/css" />
    <style type="text/css">
    <script type="text/javascript"
    src="SpryAssets/SpryURLUtils.js"></script>
    <script type="text/javascript"> var params =
    Spry.Utils.getLocationParamsAsObject(); </script>
    is in the head, and the body for the tabbed panels is:
    <div id="mainContent">
    <div id="TabbedPanels1" class="TabbedPanels">
    <ul class="TabbedPanelsTabGroup">
    <li class="TabbedPanelsTab" tabindex="0">1st
    Team</li>
    <li class="TabbedPanelsTab" tabindex="0">2nd
    Team</li>
    <li class="TabbedPanelsTab" tabindex="0">3rd
    Team</li>
    <li class="TabbedPanelsTab" tabindex="0">4th
    Team</li>
    </ul>
    <div class="TabbedPanelsContentGroup">
    <div class="TabbedPanelsContent">
    <table width="100%" border="1" cellpadding="5"
    cellspacing="1px" bordercolor="#929925">
    <tr>
    <td width="54%"><!-- TemplateBeginEditable
    name="playername1" -->
    <div align="center" class="style3 style5">Player
    name</div>
    <!-- TemplateEndEditable -->
    <p align="center"><!-- TemplateBeginEditable
    name="playerpic1" --><img alt="" name="playerpic" width="180"
    height="245" border="1" id="playerpic" /><!--
    TemplateEndEditable --></p>
    <!-- TemplateBeginEditable name="playerinfo1" -->
    <p align="center" class="style3 style6 style4">Click a
    player name to view their profile. </p>
    <!-- TemplateEndEditable -->
    <p align="center"> </p></td>
    <td width="46%"><p align="center"><!--
    TemplateBeginEditable name="teamphoto1" --><img alt=""
    name="teamphoto" width="250" height="150" border="1" align="top"
    id="teamphoto" /><!-- TemplateEndEditable --></p>
    <p align="center" class="style3 style4
    style6"><u>Squad list</u></p>
    <p align="center" class="style5"> </p>
    <p></p></td>
    </tr>
    </table>
    <p> </p>
    <p> </p>
    </div>
    <div class="TabbedPanelsContent">
    <table width="100%" border="1" cellpadding="5"
    cellspacing="1px" bordercolor="#929925">
    <tr>
    <td width="54%">
    <div align="center" class="style3"><!--
    TemplateBeginEditable name="playername2" --><span
    class="style5">Player name</span><!--
    TemplateEndEditable --></div>
    <p align="center"><!-- TemplateBeginEditable
    name="playerpic2" --><img alt="" name="playerpic" width="180"
    height="245" border="1" id="playerpic2" /><!--
    TemplateEndEditable --></p>
    <!-- TemplateBeginEditable name="playerinfo2" -->
    <p align="center" class="style3 style4 style6">Click a
    player name to view their profile.</p>
    <!-- TemplateEndEditable --></td>
    <td width="46%"><p align="center"><!--
    TemplateBeginEditable name="teamphoto2" --><img alt=""
    name="teamphoto" width="250" height="150" border="1" align="top"
    id="teamphoto2" /><!-- TemplateEndEditable --></p>
    <p align="center" class="style3 style4
    style6"><u>Squad list</u></p>
    <p align="center"> </p>
    <p></p></td>
    </tr>
    </table>
    </div>
    <div class="TabbedPanelsContent">
    <table width="100%" border="1" cellpadding="5"
    cellspacing="1px" bordercolor="#929925">
    <tr>
    <td width="54%"><!-- TemplateBeginEditable
    name="playername3" -->
    <p align="center" class="style3 style6 style4">Player
    name</p>
    <!-- TemplateEndEditable -->
    <p align="center"><!-- TemplateBeginEditable
    name="playerpic3" --><img alt="" name="playerpic" width="180"
    height="245" border="1" id="playerpic3" /><!--
    TemplateEndEditable --></p>
    <!-- TemplateBeginEditable name="playerinfo3" -->
    <p align="center" class="style3 style6 style4">Click a
    player name to view their profile.</p>
    <!-- TemplateEndEditable -->
    <p align="center"> </p></td>
    <td width="46%"><p align="center"><!--
    TemplateBeginEditable name="teamphoto3" --><img alt=""
    name="teamphoto" width="250" height="150" border="1" align="top"
    id="teamphoto3" /><!-- TemplateEndEditable --></p>
    <p align="center" class="style3 style4
    style6"><u>Squad list</u></p>
    <p align="center"> </p>
    <p></p></td>
    </tr>
    </table>
    </div>
    <div class="TabbedPanelsContent">
    <table width="100%" border="1" cellpadding="5"
    cellspacing="1px" bordercolor="#929925">
    <tr>
    <td width="54%"><!-- TemplateBeginEditable
    name="playername4" -->
    <div align="center" class="style3 style4
    style6">Player name</div>
    <!-- TemplateEndEditable -->
    <p align="center"><!-- TemplateBeginEditable
    name="playerpic4" --><img alt="" name="playerpic" width="180"
    height="245" border="1" id="playerpic4" /><!--
    TemplateEndEditable --></p>
    <!-- TemplateBeginEditable name="playerinfo4" -->
    <p align="center" class="style3 style4 style6">Click a
    player name to view their profile.</p>
    <!-- TemplateEndEditable -->
    <p align="center"> </p></td>
    <td width="46%"><p align="center"><!--
    TemplateBeginEditable name="teamphoto4" --><img alt=""
    name="teamphoto" width="250" height="150" border="1" align="top"
    id="teamphoto4" /><!-- TemplateEndEditable --></p>
    <p align="center" class="style3 style4
    style6"><u>Squad list</u></p>
    <p align="center" class="style5"> </p>
    <p></p></td>
    </tr>
    </table>
    </div>
    </div>
    </div>
    <p> </p>
    </div>
    <script type="text/javascript">
    <!--
    var TabbedPanels1 = new
    Spry.Widget.TabbedPanels("TabbedPanels1", {defaultTab:(params.tab ?
    params.tab : 0)});
    The link I would then use to link to tab 2 say, would be:
    ../"pagename".php?tab=2#TabbedPanels2
    Also, when I then go to click on the Spry tabbed panels
    region in design view, I get an error message saying:
    while executing inspectSelection in spry_tabbedpanels.htm, a
    javascript error occurred.
    I am pretty inexperienced with Spry and Java so I may have
    missed something simple.
    A solution would be much appreciated as this is driving me
    mad!
    Please let me know if you need me to post more code.
    Thanks in advance.
    p.s. I am using Dreamweaver CS3 and the SpryURLUtils.js
    script is from the Spry 1.6.1 prerelease framework.

    quote:
    Originally posted by:
    brownie_jedi
    Ok, so I've just changed the code to <script
    type="text/javascript"
    src="../SpryAssets/SpryURLUtils.js"></script>
    to mimic the code for <script
    src="../SpryAssets/SpryTabbedPanels.js"
    type="text/javascript"></script>
    since the spry files are all in the same folder. Is this what
    you meant?
    Having just installed firebug, I get the error params is not
    defined. So I guess that this all together means that the
    SpryURLUtils.js file is not being called correctly?
    p.s. Thanks for the speedy replies, much appreciated.
    Yes it means it cant find the file SpryURLUtils.js.
    in firebug theres a tab called scripts, if u click on it, u
    can see wich scripts are loaded. i suggest u check that out. Or
    post a online URL so we can see the problem for our selfs..

  • Need Sceptre TV Remote Control code(s) that work with VZ P265v3RC -- the '335' code does NOT

    Recently upgraded my TV's in my house with new Sceptre 40" and 50" TV's - thank you WalMart. Purchased in September 2014. (new / current Sceptre TVs).
    All of the Verizon printed, online, and other documentation for the P265V3 RC (model RC2655005/01B) for Sceptre shows to use code '335'.   I have tried the '335' code on both of the TV's and no worky at all. 
    Following the 'Quick Setup Guide-Verizon FIOS remote' steps (paper/PDF instructions with RC Manual):
    I can successfully enter the '335' code as outlned in step 4... and 'The RED LED will blink twice and then stay on'. occurs.  So far, so good.
    Step 5 states, "5. Press and release the <CH +> button repeatedly until the TV turns off......."   This happens perfectly... I can press the <CH+>> button a few times, and indeed, my TV turns off.
    Now, onto Step 6: "Test that the remote control is programmed for your TV".....  can't get Mute, A/V, other keys to activate /. be recognized - even though I'm followijng "press and hold that key. Release it as soon as it works"
    Does anyone have a working code for Sceptre TV's ??? The Verizon '335' code doesn't work for me.
     I need the 'best code' anyone has found that works with new Sceptre TV's.... the 335 code that VZ recommends... no worky.

    Robertop,
    have you tried the following? The info below  is found here
    Turn on your TV and the FiOS TV Set-Top Box.
    Make sure you can see live TV.
    Press and hold the OK and FiOS TV buttons together then release both buttons.
    The red LED light blinks 2 times and then stays on.
    Press and hold the Play button.
    The remote control tries a new TV code every second.
    The red LED light blinks each time a new code is sent.
    When the TV turns off, release the Play button immediately.
    NOTE: Some TVs may respond slower than others. If necessary, you can press the Ch+ and Ch- buttons to go forward or backward one TV code at a time.
    Test your remote to ensure it is working properly:
    - Turn on the TV by pressing the TV button on your FiOS TV remote.
    - Press the Vol+ and Vol- buttons to ensure that you can control the volume.
    - Press the Mute and A/V buttons to ensure they work.
    If any of these buttons do not work, press and hold that button. Release the button as soon as it works.
    If all the buttons work, press OK to this TV remote code.
    The red LED light blinks 3 times and then turns off. Your remote control is now programmed.

  • PS4 Game Voucher Code not working

    my PS4 Game Voucher Code not working and says: "The code you entered may not be correct or may no longer be valid" "Please check your entry (e-820000134)  

    Voucher codes are region-specific. For instance a US voucher won't work with a UK account. First thing to check is whether the voucher's region matches your account's region.

  • Any patches required? Same code not working on client system

    Hi Gurus,
    We have created an ABAP Proxy on the local CRM system to pick attributes from XML sent by XI and tested it. It worked fine. And the attributes got updated in the CRM tables.
    Then we deployed the same proxy code on the client system (not a single change in the code), it doesnot work.
    Though it does not throw an error, the CRM tables aren't getting updated.
    Are there any patches that need to be deployed on the client system.
    Please help. Points shall be rewarded.
    TIA.
    Chaitanya.

    Hi,
    If possible, would you please share your Excel file with us, you can upload it to a file sharing site(Like OneDrive), and then share the link with us. Also please take a look of this article:
    http://support.microsoft.com/kb/178510
    For the warning message, It means that in Excel 2010 and Excel 2007, you can use special effects, such as transparent shadows that are not supported in Excel 97-2003. The special effects will be removed. In the Compatibility Checker, click
    Find to locate the objects that have special effects applied so that you can remove those effects as needed.
    Wind Zhang
    TechNet Community Support

  • Parallax code not working in CC 2014.1

    Hi!,
    I have being using this code for  parallax in CC 2014,  as an action on the stage on a scroll event.
    // scrolling controls animation 
    var animationHeight = 25000 
    var stageHeight = sym.$("Stage").height() 
    var scrollPos = sym.$("Stage").scrollTop(); 
    var duration = sym.getDuration(); 
    var percent = scrollPos / (animationHeight - stageHeight); 
    var time = duration * percent; 
    // Update timeline 
    sym.stop(time); 
    After upgrading to CC 2014.1, the code no longer works, any ideas about what needs to be changed? Tried to downgrade to 2014, but the version is no longer available.
    Help? 
    Thanks,

    ok, so I figured out the answer. last line should be replaced with
    sym.stopAll(time);
    And overflow value should be set to scroll or auto.

  • Paypal code not working in iWeb?

    I designed a website in Dreamweaver on my Windows PC. On it I was selling a book and payment could be made using Paypal so I got the code from the Paypal website, inserted into the DW website and it has been working great for years now.
    I have today, redesigned the website using iWeb 09 [since I now have a Mac] and I used the same code as before but when I click the Paypal button it gives this error message "paypal cannot process this transaction as there is a problem with the sellers website...." yet it still works if I click the DW designed site.
    Is there any reason why the code wouldn't work the same in iWeb? I used the HTML snippet too
    Thank you for any help or suggestions you may have :-)

    This is the code that I used in DW and is working in that site
    <form action="https://www.paypal.com/cgi-bin/webscr" method="post">
    <input type="hidden" name="cmd" value="_s-xclick">
    <input type="hidden" name="hosted_button_id" value="D287JPC6XQBBQ">
    <input type="image" src="https://www.paypal.com/en_US/GB/i/btn/btn_buynowCC_LG.gif" border="0" name="submit" alt="PayPal - The safer, easier way to pay online.">
    <img alt="" border="0" src="https://www.paypal.com/en_GB/i/scr/pixel.gif" width="1" height="1">
    </form>
    This is the page that the code should take me to but doesn't in iWeb
    https://www.paypal.com/uk/cgi-bin/webscr?cmd=_flow&SESSION=RJlYA7IHpug9ngTQlih5x LwfdPQVAugRjJGHE8s1ALT-5jEa6DvvyxDK15G&dispatch=50a222a57771920b6a3d7b606239e4d5 29b525e0b7e69bf0224adecfb0124e9b61f737ba21b081988da7a3c03e3ee25661350b6a36dba24a

  • Error - Company code not assigned to country or country to calculation proc

    Hi All,
    We are on ECC 6.0 instance.
    While trying to post a JE, I am getting the error message "Company code not assigned to country or country to calculation procedure". I am able to post the JE for a another company code. It seems we are missing some configuration for the company code error is coming up.
    Any ideas what is causing the errors. More details about the error are below:
    Company code not assigned to country or country to calculation procedure
    Message no. FF703
    Diagnosis
    An error occurred when checking the tax code. Either the assignment of company code and country or of country and calculation procedure is not correct.
    Procedure
    Check the system settings.
    To do this, choose Maintain entries (F5).
    If the program error occurred
    In a standard SAP program, then create an OSS message
    In a program you wrote yourself, then correct the program.

    Hi,
    You need to assign the tax procedure to company code.
    Try transaction OBBG. and check whether the proper tax setting are maintained or not
    You probably need to make other tax settings so you should check out
    the menu Financial accounting>Financial Accounting Global Settings>Taxes on
    Sales/Purchases in the IMG.
    Hope it will work.
    With Best Regards,
    Navneet Chaubey

  • "Company code not assigned to country or country to calculation procedure"

    Hi ,
    I'm practicing SAP on IDES at home.
    I have not created any 'Calculation procedure' (TAXINN or TAXINJ)  neither assigned any procedure to
    country 'IN'. I have maintained tax category 'MWST' for 'IN' in OVK1 and also assigned my delivering plant
    for tax determination. I have also maintained tax relevancy for master records ( OVK3 - customer  & OVK4 -
    material ) and also maintained condition records for MWST.
    Everything is working fine while creating normal sales order including accounting document creation &
    posting. But when I'm creating a purchase order ( ME21N) for 3rd party process getting the error "Company
    code not assigned to country or country to calculation procedure".
    Plz help me with the solution how to create calculation procedure or which procedure should I assign to country 'IN' from the list of available procedure.
    ( I can't take help from FI guy as I'm practicing on my own )

    Hi Arveen,
    Check calculation procedure using T.code OBYZ(IMG > Financial Accounting> Financial Accounting Global Settings--> Tax on Sales/Purchases --> Basic Settings -
    > Assign Country to Calculation Procedure.)
    Select new entries--Enter tax procedure for India TAXINN-TAx procedure INdia
    Save.
    Use T.code OBBG....select position...enter IN....against that assign the tax procedure created above and save.
    Hope this resolves.Let me know if you still encounter problem.
    Thanks
    Aravind

  • FI-AP Tax Code not considering the excise duty while calcuating the VAT

    Sub: A/P Tax Code not considering the excise duty while calcuating the VAT
    Hi Frnds.
    I have a typical problem.
    Till now we are using a "W6" as a tax code, where Excise-10%, Ed Cess-2%, SEd Cess-1% and VAT-4%.
    But as the Govt. rules changed I have created a new tax code "W8" by copying the W6 and modified the VAT to 5% by changing the condition record JVRD.
    The new tax code is not calculating VAT part correctly. It is taxing into consideration Invoice Base value, Ed Cess & SEd Cess (Omiting the Excise Duty).
    I have checked my Tax Procedure, there everything is fine. Even my old tax code "W6" is working correctly.
    Let me know where the error lies.
    Here is the scenario
    00. Tax code                       -   W6   -   W8   - Current Staus of W8
    01. Invoice Base               - 355181 - 351798 - 353324 (by SAP Document Simulation View)
    02. Excise @ 10% on 01.        -  35518 -  35180 -  35332
    03. Ed Cess @ 2% on 01.        -    710 -    704 -    707
    04. SEd Cess @ 1% on 01.       -    355 -    352 -    353
    05. VAT @ 4% on (010203+04)  -  15671 -   0     -  0
    05.    VAT @ 5% on (010203+04)  -    0    -  19401 -  0
    05.     VAT @ 5% on (010304)     -   0     -    0    -  17719
    INVOICE TOTAL VALUE            - 407435 - 407435 - 407435
    Pls. let me know how to come over the issue.
    By the way I am using the above tax code at FB60 transaction code.
    Regards
    Krishna
    Edited by: Gopi Krishna Gutti on Oct 17, 2011 10:18 AM

    Hi Vivek
    Acutually we planned to implement SAP - FI & MM Modules only, and all the configuration is done in the system, but at the final stage our management is not satisfied with MM area, so finally we have gone live with only FI Moudle.
    By the way thankyou for the reply. I have maintained 100% in JMX1 for the new tax code and it is working fine.
    I will give you full points.
    Once again thanks a lot.
    Regards
    Krishna

Maybe you are looking for