ORA-1858: a non-numeric character was found where a numeric was expected

Hi, I have the Function below to do an insert or update depending on situation but I get an exception each time I run my code can anyone please help me find the error in this??
FUNCTION exceptionlog_insert_update_fn (
v_currentmethod IN VARCHAR,
v_customerrormessage IN VARCHAR,
d_datelogged IN DATE,
v_helplink IN VARCHAR,
v_http_costcenter IN VARCHAR,
v_http_email IN VARCHAR,
v_http_host IN VARCHAR,
v_http_sm_authentic IN VARCHAR,
v_http_sm_authorized IN VARCHAR,
v_http_sm_sdomain IN VARCHAR,
v_http_standardid IN VARCHAR,
v_http_user_agent IN VARCHAR,
v_innerexception IN VARCHAR,
n_logstatus IN NUMBER,
v_exceptionmessage IN VARCHAR,
v_pagepath IN VARCHAR,
v_referrer IN VARCHAR,
v_exceptionsource IN VARCHAR,
v_stacktrace IN VARCHAR,
v_squery IN VARCHAR
RETURN NUMBER
IS
existingexceptionlog NUMBER;
n_rowcount NUMBER;
BEGIN
SELECT exceptionlogid
INTO existingexceptionlog
FROM admin_exceptionlog
WHERE pagepath = v_pagepath
AND exceptionmessage = v_exceptionmessage
AND referrer = v_referrer
AND customerrormessage = v_customerrormessage;
IF existingexceptionlog > 0
THEN
UPDATE admin_exceptionlog
SET occurrences = 1
--datelastmodified = SYSDATE
WHERE exceptionlogid = existingexceptionlog;
n_rowcount := SQL%ROWCOUNT;
IF n_rowcount > 0
THEN
-- An Update occured RETURN O indicating this
RETURN 0;
END IF;
ELSE
----- If It does not already exist in the DB, Do an INSERT
-- RETRIEVE THE ID INFORMATION FIRST
INSERT INTO admin_exceptionlog
(exceptionlogid, currentmethod,
customerrormessage, datelogged, helplink,
http_costcenter, http_email, http_host,
http_sm_authentic, http_sm_authorized,
http_sm_sdomain, http_standardid,
http_user_agent, innerexception, logstatus,
exceptionmessage, pagepath, referrer,
exceptionsource, stacktrace, squery, occurrences,
datelastmodified
VALUES (admin_exceptionlogid_seq.NEXTVAL, v_currentmethod,
v_customerrormessage, d_datelogged, v_helplink,
v_http_costcenter, v_http_email, v_http_host,
v_http_sm_authentic, v_http_sm_authorized,
v_http_sm_sdomain, v_http_standardid,
v_http_user_agent, v_innerexception, n_logstatus,
v_exceptionmessage, v_pagepath, v_referrer,
v_exceptionsource, v_stacktrace, v_squery, 1,
SYSDATE
n_rowcount := SQL%ROWCOUNT;
IF n_rowcount > 0
THEN
-- An Update occured RETURN O indicating this
RETURN 0;
END IF;
END IF;
EXCEPTION
WHEN OTHERS
THEN
RETURN 1;
END exceptionlog_insert_update_fn;

I do not know how to use MERGE and did not find much information on it. But I looked into modifying it and once again, it compiles in this case but when I run it using the debugger, no code is inserted into the table at all. And it exits with a row number = 0 at line
RETURN L_rowcount;
Is there something about running procedures on Oracle that I seem to be missing here please??? I went ahead and included information on my table as well.
CREATE OR REPLACE FUNCTION FN_INSERT_UPDATE_EXCEPTIONLOG
V_HELPLINK IN ADMIN_EXCEPTIONLOG.HELPLINK%TYPE,
V_HTTP_EMAIL IN ADMIN_EXCEPTIONLOG.HTTP_EMAIL%TYPE,
V_HTTP_HOST IN ADMIN_EXCEPTIONLOG.HTTP_HOST%TYPE,
V_HTTP_SM_AUTHENTIC IN ADMIN_EXCEPTIONLOG.HTTP_SM_AUTHENTIC%TYPE,
V_HTTP_COSTCENTER IN ADMIN_EXCEPTIONLOG.HTTP_COSTCENTER%TYPE,
V_HTTP_SM_SDOMAIN IN ADMIN_EXCEPTIONLOG.HTTP_SM_SDOMAIN%TYPE,
V_CUSTOMERRORMESSAGE IN ADMIN_EXCEPTIONLOG.CUSTOMERRORMESSAGE%TYPE,
V_CURRENTMETHOD IN ADMIN_EXCEPTIONLOG.CURRENTMETHOD%TYPE,
V_HTTP_SM_AUTHORIZED IN ADMIN_EXCEPTIONLOG.HTTP_SM_AUTHORIZED%TYPE,
V_HTTP_STANDARDID IN ADMIN_EXCEPTIONLOG.HTTP_STANDARDID%TYPE,
V_INNEREXCEPTION IN ADMIN_EXCEPTIONLOG.INNEREXCEPTION%TYPE,
V_EXCEPTIONMESSAGE IN ADMIN_EXCEPTIONLOG.EXCEPTIONMESSAGE%TYPE,
V_LOGSTATUS IN ADMIN_EXCEPTIONLOG.LOGSTATUS%TYPE,
V_PAGEPATH IN ADMIN_EXCEPTIONLOG.PAGEPATH%TYPE,
V_REFERRER IN ADMIN_EXCEPTIONLOG.REFERRER%TYPE,
V_EXCEPTIONSOURCE IN ADMIN_EXCEPTIONLOG.EXCEPTIONSOURCE%TYPE,
V_STACKTRACE IN ADMIN_EXCEPTIONLOG.STACKTRACE%TYPE,
V_TARGETSITE IN ADMIN_EXCEPTIONLOG.TARGETSITE%TYPE,
V_SQUERY IN ADMIN_EXCEPTIONLOG.SQUERY%TYPE
) RETURN NUMBER AS
L_datevariable Date :=Sysdate;
L_exceptionlogid integer :=0;
L_rowcount number;
BEGIN
-- Detect any existing entries with the unique
-- combination of columns as in this constraint:
-- constraint WORKER_T_UK2
-- unique (
-- CUSTOMERRORMESSAGE,
-- LOGSTATUS,
-- PAGEPATH )
begin
select ExceptionLogID
into L_exceptionlogid
from ADMIN_EXCEPTIONLOG AE
where AE.CUSTOMERRORMESSAGE = V_CUSTOMERRORMESSAGE
AND AE.LOGSTATUS = V_LOGSTATUS
AND AE.PAGEPATH = V_PAGEPATH;
exception
when NO_DATA_FOUND then
L_exceptionlogid := 0; -- Is this really needed?
when OTHERS then
raise_application_error(-20003, SQLERRM||
' on select WORKER_T_T'||
' in filename insert_with_plsql_detection_for_update.sql');
end;
-- Conditionally insert the row
if L_exceptionlogid is NULL then
-- Now, let's get the next id sequence
-- we can finally insert a row!
begin
insert into ADMIN_EXCEPTIONLOG (
CURRENTMETHOD,
CUSTOMERRORMESSAGE,
DATELOGGED,
HELPLINK,
HTTP_COSTCENTER,
HTTP_EMAIL,
HTTP_HOST,
HTTP_SM_AUTHENTIC,
HTTP_SM_AUTHORIZED,
HTTP_SM_SDOMAIN,
HTTP_STANDARDID,
INNEREXCEPTION,
LOGSTATUS,
EXCEPTIONMESSAGE,
PAGEPATH,
REFERRER,
EXCEPTIONSOURCE,
STACKTRACE,
TARGETSITE,
SQUERY,
OCCURRENCES)
values (
V_CURRENTMETHOD,
V_CUSTOMERRORMESSAGE,
L_datevariable,
V_HELPLINK,
V_HTTP_COSTCENTER,
V_HTTP_EMAIL,
V_HTTP_HOST,
V_HTTP_SM_AUTHENTIC,
V_HTTP_SM_AUTHORIZED,
V_HTTP_SM_SDOMAIN,
V_HTTP_STANDARDID,
V_INNEREXCEPTION,
V_LOGSTATUS,
V_EXCEPTIONMESSAGE,
V_PAGEPATH,
V_REFERRER,
V_EXCEPTIONSOURCE,
V_STACKTRACE,
V_TARGETSITE,
V_SQUERY, 1
L_rowcount := sql%rowcount;
exception
when OTHERS then
raise_application_error(-20006, SQLERRM||
' on insert WORKER_T'||
' in filename insert_with_plsql_detection_for_update.sql');
end;
else
begin
update ADMIN_EXCEPTIONLOG AE
set AE.DATELOGGED = Sysdate
, AE.OCCURRENCES = AE.OCCURRENCES + 1
where AE.EXCEPTIONLOGID = L_exceptionlogid;
L_rowcount := sql%rowcount;
exception
when OTHERS then
raise_application_error(-20007, SQLERRM||
' on update WORKER_T'||
' in filename insert_with_plsql_detection_for_update.sql');
end;
end if;
RETURN L_rowcount;
END FN_INSERT_UPDATE_EXCEPTIONLOG;
CREATE TABLE "SYSTEM"."ADMIN_EXCEPTIONLOG"
(     "EXCEPTIONLOGID" NUMBER NOT NULL ENABLE,
     "CURRENTMETHOD" VARCHAR2(400 BYTE),
     "CUSTOMERRORMESSAGE" VARCHAR2(4000 BYTE),
     "DATELOGGED" DATE,
     "HELPLINK" VARCHAR2(4000 BYTE),
     "HTTP_COSTCENTER" VARCHAR2(4000 BYTE),
     "HTTP_EMAIL" VARCHAR2(4000 BYTE),
     "HTTP_HOST" VARCHAR2(4000 BYTE),
     "HTTP_SM_AUTHENTIC" VARCHAR2(4000 BYTE),
     "HTTP_SM_AUTHORIZED" VARCHAR2(4000 BYTE),
     "HTTP_SM_SDOMAIN" VARCHAR2(4000 BYTE),
     "HTTP_STANDARDID" VARCHAR2(4000 BYTE),
     "INNEREXCEPTION" VARCHAR2(4000 BYTE),
     "LOGSTATUS" NUMBER NOT NULL ENABLE,
     "EXCEPTIONMESSAGE" VARCHAR2(4000 BYTE),
     "PAGEPATH" VARCHAR2(4000 BYTE),
     "REFERRER" VARCHAR2(4000 BYTE),
     "EXCEPTIONSOURCE" VARCHAR2(4000 BYTE),
     "STACKTRACE" VARCHAR2(4000 BYTE),
     "TARGETSITE" VARCHAR2(4000 BYTE),
     "SQUERY" VARCHAR2(4000 BYTE),
     "OCCURRENCES" NUMBER,
     CONSTRAINT "ADMIN_EXCEPTIONLOG_PK" PRIMARY KEY ("EXCEPTIONLOGID")
USING INDEX PCTFREE 10 INITRANS 2 MAXTRANS 255 COMPUTE STATISTICS
STORAGE(INITIAL 65536 NEXT 1048576 MINEXTENTS 1 MAXEXTENTS 2147483645
PCTINCREASE 0 FREELISTS 1 FREELIST GROUPS 1 BUFFER_POOL DEFAULT)
TABLESPACE "SYSTEM" ENABLE
) PCTFREE 10 PCTUSED 40 INITRANS 1 MAXTRANS 255 NOCOMPRESS LOGGING
STORAGE(INITIAL 65536 NEXT 1048576 MINEXTENTS 1 MAXEXTENTS 2147483645
PCTINCREASE 0 FREELISTS 1 FREELIST GROUPS 1 BUFFER_POOL DEFAULT)
TABLESPACE "SYSTEM" ;
CREATE OR REPLACE TRIGGER "SYSTEM"."ADMIN_EXCEPTIONLOG_TRG"
BEFORE INSERT ON ADMIN_EXCEPTIONLOG
FOR EACH ROW
BEGIN
SELECT ADMIN_EXCEPTIONLOG_EXCEPTIONLOGID_SEQ.nextVal INTO :new.EXCEPTIONLOGID FROm Dual;
END;
ALTER TRIGGER "SYSTEM"."ADMIN_EXCEPTIONLOG_TRG" ENABLE;

Similar Messages

  • Error while pulling data from an Oracle database. ORA-01858: a non-numeric character was found where a numeric was expected

    I'm trying to pull data from an Oracle database using SSIS. When I try to select a few fields from the source table, it returns the following error message:
        [OLE DB Source [47]] Error: SSIS Error Code DTS_E_OLEDBERROR.  An OLE DB error has occurred. Error code: 0x80040E14.
        An OLE DB record is available.  Source: "OraOLEDB"  Hresult: 0x80040E14  Description: "ORA-01858: a non-numeric character was found where a numeric was expected".
        An OLE DB record is available.  Source: "OraOLEDB"  Hresult: 0x80004005  Description: "ORA-01858: a non-numeric character was found where a numeric was expected".
    The source columns are a combination of numeric and texts, and I've also tried selecting one of them, which didn't work. I'm using the Oracle client 11.2.0.1, and it works fine with any other data sources I have connected to so far. How can I resolve this
    error?

    Hi H.James,
    According to your description, the issue is a non-numeric character was found where a numeric was expected while pulling data from an Oracle database in SSIS.
    Based on the error message, the issue should be you are comparing a number column to a non-number column in a query. Such as the query below (ConfID is a number, Sdate is a date):
     where C.ConfID in (select C.Sdate
                       from Conference_C C
                       where C.Sdate < '1-July-12')
    Besides, a default behavior for the Oracle OleDb Provider that change the NLS Date Format of the session to 'YYYY-MM-DD HH24:MI:SS can also cause the issue. For more details about this issue, please refer to the following blog:
    http://blogs.msdn.com/b/dataaccesstechnologies/archive/2012/01/20/every-bug-is-a-microsoft-bug-until-proven-otherwise.aspx
    Thanks,
    Katherine Xiong
    Katherine Xiong
    TechNet Community Support

  • ORA-01858: a non-numeric character was found where a numeric was expected

    hi ,
    This was the code which shows the sales rep invoice amount and collected amount but while running report thru concurrent program its showing the following error:
    ORA-01858: a non-numeric character was found where a numeric was expected
    WHERE TO_CHAR ( TO_DATE ( PS.GL_DATE , 'DD/MON/YY' ) , 'MON-YYYY' ) BETWEEN TO_CHAR ( TO_DATE ( : ==> P_todate , 'YYYY/MM/DD' ) , 'MON-YYYY' ) AND TO_CHAR ( TO_DATE ( : P_todate , 'YYYY/MM/DD' ) , 'MON-YYYY' ) AND ps.customer_id = cust.custome
    The Actual Code was this
    SELECT SUBSTR(SALES.name,1,50) salesrep_name_inv,
    --ps.CLASS,
    SUM(ABS(ps.acctd_amount_due_remaining)) acctd_amt,
    SUM(ABS(ps.amount_due_remaining)) amt_due_remaining_inv,
    SUM(ABS(ps.amount_adjusted)) amount_adjusted_inv,
    SUM(ABS(ps.amount_applied)) amount_applied_inv,
    SUM(ABS(ps.amount_credited)) amount_credited_inv,
              SALES.salesrep_id,
    NULL "REMARKS"
    -- ps.gl_date gl_date_inv,
    FROM ra_cust_trx_types ctt,
    ra_customers cust,
    ar_payment_schedules ps,
    ra_salesreps SALES,
    ra_site_uses site,
    ra_addresses addr,
    ra_cust_trx_line_gl_dist gld,
    gl_code_combinations c,
    ra_customer_trx ct
    WHERE TO_CHAR(TO_DATE(PS.GL_DATE,'DD/MON/YY'),'MON-YYYY')
    BETWEEN TO_CHAR(TO_DATE(:P_todate,'YYYY/MM/DD'),'MON-YYYY') AND TO_CHAR(TO_DATE(:P_todate,'YYYY/MM/DD'),'MON-YYYY')
    AND ps.customer_id = cust.customer_id
    AND ps.customer_trx_id = ct.customer_trx_id
    AND ps.cust_trx_type_id = ctt.cust_trx_type_id
    AND NVL(ct.primary_salesrep_id, -3) = SALES.salesrep_id
    AND ps.customer_site_use_id+0 = site.site_use_id(+)
    AND site.address_id = addr.address_id(+)
    AND TO_CHAR(TO_DATE(PS.GL_DATE_CLOSED,'DD/MON/YY'),'MON-YYYY')
    BETWEEN TO_CHAR(TO_DATE(:P_todate,'YYYY/MM/DD'),'MON-YYYY') AND TO_CHAR(TO_DATE(:P_todate,'YYYY/MM/DD'),'MON-YYYY')
    --AND    ps.gl_date_closed > TO_DATE(:P_todate,'MON-YYYY')
    AND ct.customer_trx_id = gld.customer_trx_id
    AND gld.account_class = 'REC'
    AND gld.latest_rec_flag = 'Y'
    AND gld.code_combination_id = c.code_combination_id
    AND sales.salesrep_id is not null and sales.name is not null
    -- and ps.payment_schedule_id+0 < 9999
    -- AND SALES.salesrep_id ='1001'
    GROUP BY SALES.name,
    --ps.CLASS,
    SALES.salesrep_id

    So to_date function accepts a string as input and returns a date. When a date is input instead, it is implicity converted to the required type of the function paremeter, which is a string, so that to_date can convert it back to a date again.
    If you are lucky with the implicit conversion, you get the same date back, if you are not you might get a different date or an error.
    From your query it appears that this conversion from a date, to a string, to a date, and then back to a string using to_char this time, is being done to remove the time or day part of the date. The actual range comparison is being done on strings rather than dates, which is dangerous as strings sort differently than dates.
    In this example if I sort by date, Jan 01 comes between Dec 00 and Feb 01 as you would expect.
    SQL> select * from t order by d;
    D
    12-01-2000
    01-01-2001
    02-01-2001When converted to strings, Feb 01 comes between Dec 00 and Jan 01, which is probably not the desired result
    SQL> select * from t order by to_char(d,'DD-MON-YY');
    D
    12-01-2000
    02-01-2001
    01-01-2001If you want to remove time and day parts of dates you should use the trunc function
    trunc(d) removes the time, trunc(d,'mm') will remove the days to start of month.
    http://download-east.oracle.com/docs/cd/B19306_01/server.102/b14200/functions201.htm#i79761

  • 01858: a non-numeric character was found where a numeric was expected

    Hi ,
    I had ran a code
    SELECT TO_DATE (create_date,'MM/DD/YYYY HH12:MI:SS PM')
      FROM   TABLE_A
    where i got error
    -01858: a non-numeric character was found where a numeric was expected
    but later i changed to
    SELECT TO_CHAR (create_date,'MM/DD/YYYY HH12:MI:SS PM')
      FROM   TABLE_A
    which did the trick for me and i dint get any error.
    Hope this helps you.
    Documenting this for others.

    Check the NLS_DATE_FORMAT parameter value of your database.
    SELECT sysdate FROM dual; -- You can see the current format
    NLS_DATE_FORMAT specifies the default date format to use with the TO_CHAR and TO_DATE functions. The default value of this parameter is determined by NLS_TERRITORY.
    The value of this parameter can be any valid date format mask, and the value must be surrounded by double quotation marks. For example:
    NLS_DATE_FORMAT = "MM/DD/YYYY"
    From the error , I can guess your format would be 'DD-MM-YYYY', thats why when you tried to convert your date (12-AUG-2013) with (MM-DD-YYYY), you are getting the mentioned error.
    Set the NLS_DATE_FORMAT value to 'MM-DD-YYYY' as below and try.
    ALTER session SET nls_date_format='MM-DD-YYYY'

  • Non-numeric character was found where a numeric was expected

    getting the error: non-numeric character was found where a numeric was expected
    I know it's something with the variable InpMaand and InpJaar who i use in mij select statement of the cursor c_sleutel. But don't know how to fix it. Searched on the forum but no good answer found. Tnx for helping in advanced. see code below:
    CREATE OR REPLACE PROCEDURE T05_ins_f (InpJaar in number, InpMaand in number) IS
    cursor c_sleutel is
    select distinct(sleutel) as sleutel from TR_ROSETTA
    where eenheid = 'KPL'
    and to_date('01-'||(InpMaand)||'-'||(InpJaar)) between datum_van and datum_tot ;
    begin
    Message was edited by:
    user565199

    I've fit in the to_date format. but now he say's not a valid month. What i do is the following.
    InpMaand and InpJaar are both giving in by the user, like 2 and 2007
    after the to_date function, this must be the result: 01-2-2007
    otherwise: how to use the variable(InpMaand and InpJaar ) in the to_date function
    Message was edited by:
    user565199

  • ORA-01858: a non-numeric character found where a digit was expected

    Hi,
    I'll cut introductions short. We're trying to read data from a flat file (OWB ver.9.2. by the way). After successfully mapping, then generating (with two insignificant warnings), we execute.
    Although it says the execution was 'successful', more than a dozen errors return in the form of ORA-01858: a non-numeric character found where a digit was expected
    a - Here is the error:
    Record 1: Rejected - Error on table "TOPSSTAGE"."FLTR_DCS_IRREG", column "OPERATIVE_FLIGHT_LEG_DATE".
    ORA-01858: a non-numeric character was found where a numeric was expected
    *it's actually repeated 20 times (Record 1, Record 2, and so on and so forth...) with the same exact error description and details.
    b - Here's the part of the OWB-generated script that defines the creation of that field/column:
    "OPERATIVE_FLIGHT_LEG_DATE" DATE "mm/dd/yyyy"
    c - And here's the data from the flat file (1 of 4 rows)
    "2/20/2007","I","0899","N","TPE","MNL","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","750","950","746","955"," P3231",,"04","32","32",,,,,,,,"758","946",,"A000","4","D000","5","000","0","0","0","0","D","P","0","0","0","0","0","0","0","0","0","0","0","2/22/2007","000","012","144","2/20/2007","2/20/2007"
    *the part where it is in bold is the one that is mapped from the column OPERATIVE_FLIGHT_LEG_DATE to the OPERATIVE_FLIGHT_LEG_DATE column (flat to physical, right?)
    it is set as DATE in all settings (mapping, file, etc..)
    Any form of help will be greatly appreciated :)
    Thanks!
    Regards,
    _lilim                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

    Hi Bharadwaj,
    Yes, I believe you are right. And yes that column is designated a primary key. The weird thing is, we do have null values being entered into the table from the flat file, but these values are far from the "OPERATIVE_FLIGHT_LEG_DATE" column (index-wise). Let me give you an example of our case:
    this is a row in the flat file: (sample data only)
    "2/20/2007","I","0899","N","TPE","MNL","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","750","950","746","955"," P3231",,"04","32","32",,,,,,,,"758","946",,"A000","4","D000","5","000","0","0","0","0","D","P","0","0","0","0","0","0","0","0","0","0","0","2/22/2007","000","012","144","2/20/2007","2/20/2007"
    as you can see, I've made the 'null' values bold, as well as the data for OPERATIVE_FLIGHT_LEG_DATE (which shows up, as you can see, at the end of the row).
    Now, in the OWB table, the OPERATIVE_FLIGHT_LEG_DATE column is set as a primary key (or foreign, i think, I'll check again) and, thus, is set as one of those columns to first receive data transferred from the flat file.
    We see nothing wrong with our mask (which is mm/dd/yyyy by the way) as well as with our data type settings. It has to be with the flat file I guess. We're gonna try putting in dummy values in place of the null ones in the flat file. I'll get back to you asap. Thanks for helping out. :D
    Regards,
    _lilim

  • JDBCaccess message ORA-01858: a non-numeric character was found where a num

    When trying to read a cloumn from a table using JDBC I get the above message
    Below is a copy of the code;
    Connection conn=null;
    DriverManager.registerDriver (new oracle.jdbc.driver.OracleDriver());
              System.out.println ("Driver registered"); // Print Driver Connected
              try
         {  //  <-- 1.1
              conn = DriverManager.getConnection("jdbc:oracle:thin:@***.******.**:1521:orcl", "********", "*******");
    // @machineName:port:SID, userid, password
              } // <-- 1.1
         catch (SQLException exc_1)
         {     // <-- 1.1
              //System.out.println("SQL Connect failed with: '" + exc_1.getMessage() + "'");
              exc_1.printStackTrace();
              System.exit(1);
         } //<-- 1.1
              System.out.println ("Connected - User/Password"); // Print Connected User/Password
    Statement stmt = conn.createStatement();
         System.out.println ("Instansiate SQL Statement "); // Print Instansiate
              String sql = "select BASE_CURRENCY_CODE from WH_ENT_MODEL.V_FX_DAILY_RATES ";
         try
         oracle.jdbc.driver.OracleLog.startLogging();
         PreparedStatement ps = conn.prepareStatement(sql);
         ResultSet rs = ps.executeQuery();
         oracle.jdbc.driver.OracleLog.stopLogging();
         System.out.println ("Create SQL Statement resultset "); // Print SQL Statement
    while (rs.next())
    System.out.println (rs.getString("BASE_CURRENCY_CODE")); // Print Base_Currency_Code
    stmt.close();
         catch(Exception e)
         e.printStackTrace();
                   System.exit(1);
    The error I get is;
    java.sql.SQLException: ORA-01858: a non-numeric character was found where a numeric was expected
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:153)
         at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:330)
         at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:287)
         at oracle.jdbc.driver.T4C8Oall.receive(T4C8Oall.java:742)
         at oracle.jdbc.driver.T4CPreparedStatement.doOall8(T4CPreparedStatement.java:215)
         at oracle.jdbc.driver.T4CPreparedStatement.executeForDescribe(T4CPreparedStatement.java:930)
         at oracle.jdbc.driver.OracleStatement.executeMaybeDescribe(OracleStatement.java:1131)
         at oracle.jdbc.driver.T4CPreparedStatement.executeMaybeDescribe(T4CPreparedStatement.java:983)
         at oracle.jdbc.driver.OracleStatement.doExecuteWithTimeout(OracleStatement.java:1257)
         at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:3467)
         at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:3512)
         at com.exchange.interfaces.dbAccess.main(dbAccess.java:69)
    This is a test class to prove we can access the database from within Java program.
    Any help much appreciated.

    Hi Deepak,
    I would first look at your session state, this should show what was passed to the procedure.
    I would suggest that if you have a select list showing a null value that that would be the issue as it passes %null% through.
    Regards
    Michael

  • Non Numeric found where a Nnumeric was expected

    We are using VB6 as frount end and Oracle8.05 as backend.
    We use stored procedures for all truncations.
    Some time some of the procedures return error saying that A Non-
    numeric is found where a numeric was expected. If I trace that
    error through Documentation there it say's use Date format as DD-
    MON-YYYY. We are using that format only. Do you know how that
    error we are trapping? Just compile the procedure and it will
    work and same error will repeat after a 2 to 3 weeks. I have no
    idea why it behaves like this.
    I have also set these parameter's
    NLS_DATE_FORMAT = "DD-MON-YYYY"
    NLS_DATE_LANGUAGE="AMERICAN"
    If you have any idea about this please let me know.
    I hope to hear from you folks.
    Suresh

    Hi Bharadwaj,
    Yes, I believe you are right. And yes that column is designated a primary key. The weird thing is, we do have null values being entered into the table from the flat file, but these values are far from the "OPERATIVE_FLIGHT_LEG_DATE" column (index-wise). Let me give you an example of our case:
    this is a row in the flat file: (sample data only)
    "2/20/2007","I","0899","N","TPE","MNL","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","0","750","950","746","955"," P3231",,"04","32","32",,,,,,,,"758","946",,"A000","4","D000","5","000","0","0","0","0","D","P","0","0","0","0","0","0","0","0","0","0","0","2/22/2007","000","012","144","2/20/2007","2/20/2007"
    as you can see, I've made the 'null' values bold, as well as the data for OPERATIVE_FLIGHT_LEG_DATE (which shows up, as you can see, at the end of the row).
    Now, in the OWB table, the OPERATIVE_FLIGHT_LEG_DATE column is set as a primary key (or foreign, i think, I'll check again) and, thus, is set as one of those columns to first receive data transferred from the flat file.
    We see nothing wrong with our mask (which is mm/dd/yyyy by the way) as well as with our data type settings. It has to be with the flat file I guess. We're gonna try putting in dummy values in place of the null ones in the flat file. I'll get back to you asap. Thanks for helping out. :D
    Regards,
    _lilim

  • A non-numeric character was found ...  iAS 8 & ora 8.1.6

    I have a problem in iAS 8 and Oracle 8.1.6 under windows 2000.
    The problem is calling nested packages using plql gateway, I
    mean I call one package and it call's another package, this
    operation throws " a non-numeric character was found where a
    numeric was expected" even if the procedure only has one
    parameter, if you call nested procedures there are no errors, I
    had the same problem on Solaris, however changed databases and
    it dissapear, I thought that the problem was some
    NLS_PARAMETERS however now I'm not pretty sure.
    Any Ideas.
    Thanks in Advance.
    Francisco Castaqeda
    Arango Software Int.

    hello
    pls use to_date
    If your session is set to default date format of DD-MON-YY, execute the following and you will receive the error message:
    SQL> select to_date('20-JAN-2010', 'DD-MM-YYYY') from dual;
    ERROR:
    ORA-01858: a non-numeric character was found where a numeric was expected
    no rows selected
    When you are converting a string to a date, you have specified that the date is being passed in DD-MM-YYYY format. But you have passed the date in DD-MON-YYYY format. As the month is expected as a number by oracle, but you have passed a character, oracle is unable to translate the string to a number.
    Do one of the following:
    SQL> select to_date('20-JAN-2010', 'DD-MON-YYYY') from dual
    2 /
    TO_DATE
    20-JAN-2010
    OR
    SQL> select to_date('20-10-2010', 'DD-MM-YYYY') from dual
    2 /
    TO_DATE
    20-JAN-2010
    or you can use alter sessin set nls_date_format='.....................';
    regards

  • Sqlldr with error: non-numeric character was found when numeric number

    Hi,
    I have been struggling with this problem for long, can't get to anywhere.
    I am trying to use sqlldr to load a CSV file into table, the table looks like this :
    AD_ID NUMBER(38)
    CNTCT_ID VARCHAR2(60)
    AD_FILE_NAME VARCHAR2(80)
    AD_TITLE VARCHAR2(300)
    AGCY_APRVL_DATE DATE
    CORE_APRVL_DATE DATE
    ENTR_CMNT CLOB
    IC_APRVL_DATE DATE
    PURP_TEXT CLOB
    RVW_BRD_APRVL_DATE DATE
    ACTIVE_FLAG VARCHAR2(1)
    .......................................more fields
    The control file looks like this:
    LOAD DATA
    INFILE "C:\ORACLE_IRTMB\IRPADS\SQL_DATA\ADS_T.CSV"
    BADFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.BAD"
    DISCARDFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.DSC"
    truncate INTO TABLE ADS_T
    FIELDS TERMINATED BY ',' OPTIONALLY ENCLOSED BY '"' TRAILING NULLCOLS
         AD_ID INTEGER ,
         CNTCT_ID char ,
         AD_FILE_NAME char ,
         AD_TITLE char nullif (AD_TITLE=BLANKS) ,
         AGCY_APRVL_DATE DATE "MM/DD/YYYY" nullif (AGCY_APRVL_DATE=BLANKS) ,
         CORE_APRVL_DATE DATE "MM/DD/YYYY" ,
         ENTR_CMNT CHAR(7000) nullif (ENTR_CMNT=BLANKS) ,
    PURP_TEXT CHAR(7000) nullif (ENTR_CMNT=BLANKS) ,
         RVW_BRD_APRVL_DATE DATE "MM/DD/YYYY" ,
         ACTIVE_FLAG char ,
         ....more fields
    The Data file looks like this:
    10132,simpsonl,PMSDHHStemplate.pdf,"Depression, Irritability, Mood Swings Sound Familiar?",1/13/2003,11/14/2002,,1/13/2003,"The NIMH is conducting research on premenstrual
    10133,jolkovsl,10133ClozapineDHHS ver 0.pdf,Mood Swings? Unpredictable Moods? Are These Moods hard to Treat?,1/28/2003,11/14/2002,,1/28/2003,"The NIMH is conducting a study to test the efficacy of ...
    --- and log file looks like this:
    Record 5: Rejected - Error on table ADS_T, column RVW_BRD_APRVL_DATE.
    second enclosure string not present
    Record 7: Rejected - Error on table ADS_T, column RVW_BRD_APRVL_DATE.
    second enclosure string not present
    Record 9: Rejected - Error on table ADS_T, column RVW_BRD_APRVL_DATE.
    second enclosure string not present
    Record 2: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01858: a non-numeric character was found where a numeric was expected
    Record 4: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01858: a non-numeric character was found where a numeric was expected
    Record 6: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01858: a non-numeric character was found where a numeric was expected
    IF I use to_date in control file:
    LOAD DATA
    INFILE "C:\ORACLE_IRTMB\IRPADS\SQL_DATA\ADS_T.CSV"
    BADFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.BAD"
    DISCARDFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.DSC"
    truncate INTO TABLE ADS_T
    FIELDS TERMINATED BY ',' OPTIONALLY ENCLOSED BY '"' TRAILING NULLCOLS
         AD_ID INTEGER ,
         CNTCT_ID char ,
         AD_FILE_NAME char ,
         AD_TITLE char nullif (AD_TITLE=BLANKS) ,
         AGCY_APRVL_DATE "to_date(:AGCY_APRVL_DATE,'MM/DD/YYYY')" ,
         CORE_APRVL_DATE DATE "MM/DD/YYYY" ,
         ENTR_CMNT CHAR(7000) nullif (ENTR_CMNT=BLANKS) ,
         IC_APRVL_DATE DATE "MM/DD/YYYY" ,
         PURP_TEXT CHAR(10000) nullif (PURP_TEXT=BLANKS) ,
         RVW_BRD_APRVL_DATE DATE "MM/DD/YYYY" ,
    I got extracctly same error message as above...
    If I use to_char in control file:
    LOAD DATA
    INFILE "C:\ORACLE_IRTMB\IRPADS\SQL_DATA\ADS_T.CSV"
    BADFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.BAD"
    DISCARDFILE "C:\ORACLE_IRTMB\IRPADS\ADS_T.DSC"
    truncate INTO TABLE ADS_T
    FIELDS TERMINATED BY ',' OPTIONALLY ENCLOSED BY '"' TRAILING NULLCOLS
         AD_ID INTEGER ,
         CNTCT_ID char ,
         AD_FILE_NAME char ,
         AD_TITLE char nullif (AD_TITLE=BLANKS) ,
         AGCY_APRVL_DATE "to_char(:AGCY_APRVL_DATE,'MMDDYYYY')" ,
    Then it's said a not valid number
    Record 2: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01722: invalid number
    Record 4: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01722: invalid number
    Record 6: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01722: invalid number
    Record 8: Rejected - Error on table ADS_T, column AGCY_APRVL_DATE.
    ORA-01722: invalid number
    someone, please help me out here.
    Thanks a lot.
    Wei

    hello
    pls use to_date
    If your session is set to default date format of DD-MON-YY, execute the following and you will receive the error message:
    SQL> select to_date('20-JAN-2010', 'DD-MM-YYYY') from dual;
    ERROR:
    ORA-01858: a non-numeric character was found where a numeric was expected
    no rows selected
    When you are converting a string to a date, you have specified that the date is being passed in DD-MM-YYYY format. But you have passed the date in DD-MON-YYYY format. As the month is expected as a number by oracle, but you have passed a character, oracle is unable to translate the string to a number.
    Do one of the following:
    SQL> select to_date('20-JAN-2010', 'DD-MON-YYYY') from dual
    2 /
    TO_DATE
    20-JAN-2010
    OR
    SQL> select to_date('20-10-2010', 'DD-MM-YYYY') from dual
    2 /
    TO_DATE
    20-JAN-2010
    or you can use alter sessin set nls_date_format='.....................';
    regards

  • Non-numeric character was found

    SELECT nvl(t1.col11,0) --into DATA
    FROM testdata t1
    WHERE (to_date(t1.col11,'DD-MM-RR') < '1-MAY-2012' OR to_date(t1.col11,'DD-MM-RR') > '31-MAY-2012')
    gives numeric character was found where a numeric was expected.
    But when I run it as a block(anonymous block) it runs fine. There are no null values in the table but may the returned value may be null which am trying to replace with NVL but then too am getting this error.
    Any suggestions?

    Hi,
    user7351276 wrote:
    SELECT nvl(t1.col11,0) --into DATA
    FROM testdata t1
    WHERE (to_date(t1.col11,'DD-MM-RR') < '1-MAY-2012' OR to_date(t1.col11,'DD-MM-RR') > '31-MAY-2012')
    gives numeric character was found where a numeric was expected.
    But when I run it as a block(anonymous block) it runs fine. There are no null values in the table but may the returned value may be null which am trying to replace with NVL but then too am getting this error.It looks like you should be getting a different error, due tounmatched single-quotes.
    Did this site garble your code? Try again. \ tags often help.  If you can't get the site to post exactly what you mean, then explain what you meant to post.
    Any suggestions?Don't compare a DATE (such as the value returned by TO_DATE) to a VARCHAR2 (such as the literal '31-MAY-2012').  Compare DATEs to other DATEs.
    You can use TO_DATE, like this:WHERE     TO_DATE (t1.col1, 'DD-MM-RR')     < TO_DATE ('01-MON-2012', 'DD-MON-YYYY')
    or a DATE literal, likE this:WHERE     TO_DATE (t1.col1, 'DD-MM-RR')     < DATE '2012-05-01'
    What you posted is definitely a mistake, but I can't tell if it's what's causing the error you mentioned or not.
    Whenever you have a question, post a copmplete test script, including CREATE TABLE and INSERT statements for some sample data, that people can run to re-create the problem and test their ideas.  Post the results you want from the given data, and explain how you get those results from that data.
    As Hoek said, read the forum FAQ {message:id=9360002}                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • ORA-01858: a non-numeric at OracleConnectionPoolDataSource

    I have OracleConnectionPoolDataSource. When I run my JSP , I am getting error
    java.sql.SQLException: ORA-01858: a non-numeric character was found where a numeric was expected
    Error line is showing at OracleConnectionPoolDataSource ocpds = new OracleConnectionPoolDataSource();
    What could be the reason?
    Thanks in advance

    select to_date('ERROR')
    ERROR at line 1:
    ORA-01858: a non-numeric character was found where a numeric was expectedPlease see (OERR: ORA 1858 "a non-numeric character was found where a numeric was expected" [ID 19182.1]).
    Thanks,
    Hussein

  • Non-numeric character error

    This is my error:
    javax.servlet.ServletException: ORA-01858: a non-numeric character was found where a numeric was expected
    This is my code:
    ResultSet myRs = myStmt.executeQuery("select count(*) dexCount from cs_dexia where userid = '" + vUserid + "'");
              int vCount = 0;     
                   while(myRs.next()){
                        vCount = myRs.getInt("dexCount");
              out.println(vCount);
                   if(vCount > 0)
                   response.sendRedirect("swapform.jsp");
    What have I done wrong?

    I have changed that and am now getting:
    javax.servlet.ServletException: ORA-00904: invalid column name
    the query runs in my sql tool no problem, could it be something to do with the alias?

  • PL/SQL Function Returning Query Error / ORA-01858: a non-numeric char.....

    I'm trying to write a PL/SQL function to dynamically return a query with varying # of columns. I've done this type of thing before wiith much success, however this is the first time I'm using a cursor for loop within a function to accomplish my task.
    here is the error I get:
    ORA-01858: a non-numeric character was found where a numeric was expected
    Error ERR-1101 Unable to process function body returning query.
    Mind you I have tested the PL/SQL from a SQL editor and it works fine. I'm confused.
    Code is below.
    Thanks in advance!
    DECLARE
    my_query varchar2(4000);
    string1 varchar2(50) := 'select city, ';
    string2 varchar2(4000) := '' ;
    string3 varchar2(4000):= 'from
    ( select a.title, a.city, a.start_date, sum(a.total_stu) cnt
    from sj_class_summary3 a
    group by a.title, a.city, a.start_date
    having a.title = :P4_COURSE )
    group by title, city';
    TYPE date_tab_type IS TABLE OF date INDEX BY PLS_INTEGER;
    date_tbl date_tab_type;
    i number;
    BEGIN
    i:=1;
    for myrec in (select distinct start_date from sj_class_summary3
    where start_date between :P4_START_DATE and :P4_END_DATE order by 1) loop
    date_tbl(i) := myrec.start_date;
    string2 := string2 || ' max( decode( start_date, ''' || date_tbl(i) || ''', cnt,0) ) "' || date_tbl(i) || '", ';
    i := i+ 1;
    end loop;
    string2 := SUBSTR(string2,1,LENGTH(string2)-2);
    string2 := string2 || ' ';
    my_query := string1 || string2 || string3;
    return my_query;
    END;

    Hi Bob,
    you also have another date to character to date conversion in:
    decode( start_date, ''' || date_tbl(i) || ''', cnt,0)
    does this need to be:
    decode( start_date, to_date(''' || to_char(date_tbl(i), 'dd/mm/yyyy') || ''', ''dd/mm/yyyy''), cnt,0)
    Regards
    Michael

  • PeopleSoft returns an ORA-1858 error msg when retrieving a VARCHAR(30)  Fld

    We are trying to use a DB Link to retrieve data from an external Oracle DB and use the retrieved fields in a PeopleSoft page in Campus Solutions (Oracle DB). We get the following SQL error message.
    PSAPPSRV.1540194 (1114) [06/22/12 14:09:34 (IE 7.0; WINXP) ICPanel](3) File: /vob/peopletools/src/psppr/ramget.cppSQL error. Stmt #: 655 Error Position: 0 Return: 1858 - ORA-01858: a non-numeric character was found where a numeric was expected ORA-02063: preceding line from ISDS
    Failed SQL stmt:SELECT DISTINCT UV_VENDOR_NUMBER, UV_VENDOR_NAME FROM PS_UV_SF_STU_BKACT WHERE UV_VENDOR_NUMBER LIKE 'SIS-ABC647259%' ORDER BY UV_VENDOR_NUMBER
    A record-view was created in PeopleSoft to retrieve the fields from an external DB view using DB Link. This PeopleSoft view was to be used as the search record for a custom PeopleSoft component/page and display the external DB fields on that PeopleSoft page. There are 11 fields on this custom PeopleSoft view 2 of which are field type NUMBER and the rest of the fields are type VARCHAR2. The search field on this view is a VARCHAR2 field. We have validated the record field order with the view select statement field order to make sure the selected fields are inserted into the correct field type/length.
    We eventually stripped down the PS view to the one VARCHAR2 field that is used as a search key (record.view definition) and still get the ORA error above. We are at a loss as to why PeopleSoft's search select statement is getting this error when there is only one VARCHAR2 field in the view and related SQL statement.
    Has anyone had a similiar issue? or any suggestions? Again, both the PeopleSoft DB and the External DB are Oracle. The search field is defined as VARCHAR2 on both the PeopleSoft DB and the External DB.
    Thank you.

    Maybe this is helpful; http://www.dba-oracle.com/t_ora_02063_preceding_stringstring_from_stringstring.htm
    Looking at the explanation you should look at the remote database. Even though the first ORA message tells you something else, this should not be a problem occurring because of mismatching fieldtypes.

Maybe you are looking for

  • Can i Chang PDF file using Acrobat Pro (CS5)?

    Can i manipulate a PDF file - Delete elments, or delete elements with backgroung without changing the beckground? TNX Gadi

  • Unable to deploy SOAOrderBooking

    Hi, When running ant on SOAOrderBooking (Windows 2003) from SOA tutorial the following happens: Buildfile: C:\oracle_share\soademo.orig\SOAOrderBooking\build.xml pre-deploy: validateTask: [echo] | Validating workflow [validateTask] url is file:/C:/jd

  • BPM 11g (11.1.1.4) Workspace loading slow

    Hi, I have the following configuration on my local machine; Oracle 10g XE DB Weblogic 10.3.4 64-bit Sun Java 6.0 update 24 (64-bit) SOA Suite 11.1.1.4 While working on BPM workspace for considerable amount of time (say 1 hr), the BPM workspace is res

  • Changing hyperlinks in iweb

    when i attempted to reformat the hyperlinks in iweb, it wouldn't allow me to change anything on the site. i disabled the links, went to formatting and won't allow anything. any ideas?

  • Portlet Entitlement Problem with Quote in Portlet Title

    I have a portlet originally called "Manager's Toolbox". When I try to set an entitlement for this portlet to be for the manager role only, the entitlement is ignored. The portlet shows up for all users. I renamed it to "Managers Toolbox" (without the