I am getting a ‘ORA-06502: PL/SQL: numeric or value error: character string buffer too small error’, trying to execute a stored procedure that has an output parameter with all 50 US states and the abbreviations.
Any suggestions on what I am doing wrong. Oracle database version is 11.2.0.1.0. I am also searching to see if I can find anything online, but thought of asking here in case someone had this problem in the past that was addressed.
CREATE TABLE STATE_CDS (STATE VARCHAR2(2) NOT NULL, STATE_NAME VARCHAR2(25 BYTE));
insert into state_cds values(‘AL’, ‘ALABAMA’);
insert into state_cds values(‘AK’, ‘ALASKA’);
insert into state_cds values(‘AZ’, ‘ARIZONA’);
insert into state_cds values(‘AR’, ‘ARKANSAS’);
insert into state_cds values(‘CA’, ‘CALIFORNIA’);
insert into state_cds values(‘CO’, ‘COLORADO’);
insert into state_cds values(‘CT’, ‘CONNECTICUT’);
insert into state_cds values(‘DE’, ‘DELAWARE’);
insert into state_cds values(‘DC’, ‘DISTRICT OF COLUMBIA’);
insert into state_cds values(‘FL’, ‘FLORIDA’);
insert into state_cds values(‘GA’, ‘GEORGIA’);
insert into state_cds values(‘HI’, ‘HAWAII’);
insert into state_cds values(‘ID’, ‘IDAHO’);
insert into state_cds values(‘IL’, ‘ILLINOIS’);
insert into state_cds values(‘IN’, ‘INDIANA’);
insert into state_cds values(‘IA’, ‘IOWA’);
insert into state_cds values(‘KS’, ‘KANSAS’);
insert into state_cds values(‘KY’, ‘KENTUCKY’);
insert into state_cds values(‘LA’, ‘LOUISIANA’);
insert into state_cds values(‘ME’, ‘MAINE’);
insert into state_cds values(‘MD’, ‘MARYLAND’);
insert into state_cds values(‘MA’, ‘MASSACHUSETTS’);
insert into state_cds values(‘MI’, ‘MICHIGAN’);
insert into state_cds values(‘MN’, ‘MINNESOTA’);
insert into state_cds values(‘MS’, ‘MISSISSIPPI’);
insert into state_cds values(‘MO’, ‘MISSOURI’);
insert into state_cds values(‘MT’, ‘MONTANA’);
insert into state_cds values(‘NE’, ‘NEBRASKA’);
insert into state_cds values(‘NV’, ‘NEVADA’);
insert into state_cds values(‘NH’, ‘NEW HAMPSHIRE’);
insert into state_cds values(‘NJ’, ‘NEW JERSEY’);
insert into state_cds values(‘NM’, ‘NEW MEXICO’);
insert into state_cds values(‘NY’, ‘NEW YORK’);
insert into state_cds values(‘NC’, ‘NORTH CAROLINA’);
insert into state_cds values(‘ND’, ‘NORTH DAKOTA’);
insert into state_cds values(‘OH’, ‘OHIO’);
insert into state_cds values(‘OK’, ‘OKLAHOMA’);
insert into state_cds values(‘OR’, ‘OREGON’);
insert into state_cds values(‘OU’, ‘OUT OF COUNTRY’);
insert into state_cds values(‘PA’, ‘PENNSYLVANIA’);
insert into state_cds values(‘RI’, ‘RHODE ISLAND’);
insert into state_cds values(‘SC’, ‘SOUTH CAROLINA’);
insert into state_cds values(‘SD’, ‘SOUTH DAKOTA’);
insert into state_cds values(‘TN’, ‘TENNESSEE’);
insert into state_cds values(‘TX’, ‘TEXAS’);
insert into state_cds values(‘UT’, ‘UTAH’);
insert into state_cds values(‘VT’, ‘VERMONT’);
insert into state_cds values(‘VA’, ‘VIRGINIA’);
insert into state_cds values(‘WA’, ‘WASHINGTON’);
insert into state_cds values(‘WV’, ‘WEST VIRGINIA’);
insert into state_cds values(‘WI’, ‘WISCONSIN’);
insert into state_cds values(‘WY’, ‘WYOMING’);
create or replace procedure P_state_CODES
(cd_type in varchar2,
cd_desc out varchar2) is
cursor states is
select state, state_name
from state_cds
order by state_name desc;
begin
if cd_type = ‘STATES’ then
for recs in states loop
cd_desc := recs.state||’;’||recs.state_name||’+’||cd_desc;
end loop;
end if;
end;
ORA-06502: PL/SQL: numeric or value error: character string buffer too small
ORA-06512: at «KBNIS.P_STATE_CODES», line 11
ORA-06512: at «KBNIS.P_STATE_CODES», line 11
ORA-06512: at line 7
Thank you for the help.
Sandeep.
Are you getting an ORA-06502 error message when working with Oracle SQL? Learn how to resolve it and what causes it in this article.
ORA-06502 Cause
The cause of the “ORA-06502 PL/SQL numeric or value error” can be one of many things:
- A value is being assigned to a numeric variable, but the value is larger than what the variable can handle.
- A non-numeric value is being assigned to a numeric variable.
- A value of NULL is being assigned to a variable which has a NOT NULL constraint.
Let’s take a look at the solutions for each of these causes.
The solution for this error will depend on the cause.
Let’s see an example of each of the three causes mentioned above.
Solution 1: Value Larger than Variable (Number Precision Too Large)
In this example, we have some code that is setting a numeric variable to a value which is larger than what can be stored.
Let’s create this procedure which declares and then sets a variable:
CREATE OR REPLACE PROCEDURE TestLargeNumber
AS
testNumber NUMBER(3);
BEGIN
testNumber := 4321;
END;
If we compile it, it compiles with no errors.
Procedure TESTLARGENUMBER compiled
Now, let’s run the procedure.
EXEC TestLargeNumber;
We get an error:
Error starting at line : 8 in command - EXEC TestLargeNumber Error report - ORA-06502: PL/SQL: numeric or value error: number precision too large ORA-06512: at "SYSTEM.TESTLARGENUMBER", line 5 ORA-06512: at line 1 06502. 00000 - "PL/SQL: numeric or value error%s" *Cause: An arithmetic, numeric, string, conversion, or constraint error occurred. For example, this error occurs if an attempt is made to assign the value NULL to a variable declared NOT NULL, or if an attempt is made to assign an integer larger than 99 to a variable declared NUMBER(2). *Action: Change the data, how it is manipulated, or how it is declared so that values do not violate constraints.
The error we’ve gotten is “ORA-06502: PL/SQL: numeric or value error: number precision too large”. It also includes an ORA-06512, but that error just mentions the next line the code is run from, as explained in this article on ORA-06512.
This is because our variable testNumber can only hold 3 digits, because it was declared as a NUMBER(3). But, the value we’re setting it to a few lines later is 4 digit long (4321).
So, the value is too large for the variable.
To resolve it, increase the size of your variable, or manipulate your value to fit the size of the variable (if possible).
In our example , we can change the size of the variable.
CREATE OR REPLACE PROCEDURE TestLargeNumber
AS
testNumber NUMBER(4);
BEGIN
testNumber := 4321;
END;
Procedure TESTLARGENUMBER compiled
Now, let’s run the procedure.
EXEC TestLargeNumber;
PL/SQL procedure successfully completed.
The procedure runs successfully. We don’t get any output (because we didn’t code any in), but there are no errors.
Read more on the Oracle data types here.
Solution 2: Non-Numeric Value
Another way to find and resolve this error is by ensuring you’re not setting a numeric variable to a non-numeric value.
For example, take a look at this function.
CREATE OR REPLACE PROCEDURE TestNonNumeric
AS
testNumber NUMBER(4);
BEGIN
testNumber := 'Yes';
END;
Procedure TESTNONNUMERIC compiled
The procedure compiles successfully. Now, let’s fun the function.
EXEC TestNonNumeric;
Error starting at line : 8 in command - EXEC TestNonNumeric Error report - ORA-06502: PL/SQL: numeric or value error: character to number conversion error ORA-06512: at "SYSTEM.TESTNONNUMERIC", line 5 ORA-06512: at line 1 06502. 00000 - "PL/SQL: numeric or value error%s" *Cause: An arithmetic, numeric, string, conversion, or constraint error occurred. For example, this error occurs if an attempt is made to assign the value NULL to a variable declared NOT NULL, or if an attempt is made to assign an integer larger than 99 to a variable declared NUMBER(2). *Action: Change the data, how it is manipulated, or how it is declared so that values do not violate constraints.
The error we get is “ORA-06502: PL/SQL: numeric or value error: character to number conversion error”.
This happens because our variable testNumber is set to a NUMBER, but a few lines later, we’re setting it to a string value which cannot be converted to a number
To resolve this error:
- Ensure the value coming in is a number and not a string.
- Convert your string to a number using TO_NUMBER (the conversion might happen implicitly but this may help).
- Convert your string to the ASCII code that represents the string using the ASCII function.
- Change the data type of your variable (but check that your code is getting the right value first).
The solution you use will depend on your requirements.
Solution 3: NOT NULL Variable
This error can appear if you try to set a NULL value to a NOT NULL variable.
Let’s take a look at this code here:
CREATE OR REPLACE PROCEDURE TestNonNull
AS
testNumber NUMBER(4) NOT NULL := 10;
nullValue NUMBER(4) := NULL;
BEGIN
testNumber := nullValue;
END;
Procedure TESTNONNULL compiled
Now, the reason we’re using a variable to store NULL and not just setting testNumber to NULL is because we get a different error in that case. Besides, it’s probably more likely that your NULL value will come from another system or a database table, rather than a hard-coded NULL value.
Let’s run this function now.
Error starting at line : 9 in command - EXEC TestNonNull Error report - ORA-06502: PL/SQL: numeric or value error ORA-06512: at "SYSTEM.TESTNONNULL", line 6 ORA-06512: at line 1 06502. 00000 - "PL/SQL: numeric or value error%s" *Cause: An arithmetic, numeric, string, conversion, or constraint error occurred. For example, this error occurs if an attempt is made to assign the value NULL to a variable declared NOT NULL, or if an attempt is made to assign an integer larger than 99 to a variable declared NUMBER(2). *Action: Change the data, how it is manipulated, or how it is declared so that values do not violate constraints.
We get the ORA-06502 error.
This error message doesn’t give us much more information. But, we can look at the code on line 6, as indicated by the message. We can see we have a variable that has a NOT NULL constraint, and the variable is NULL.
To be sure, we can output some text in our demo when it is null.
CREATE OR REPLACE PROCEDURE TestNonNull
AS
testNumber NUMBER(4) NOT NULL := 10;
nullValue NUMBER(4) := NULL;
BEGIN
IF (nullValue IS NULL) THEN
dbms_output.put_line('Value is null!');
ELSE
testNumber := nullValue;
END IF;
END;
Now let’s call the procedure.
EXEC TestNonNull;
Value is null!
The output shows the text message, indicating the value is null.
ORA-06502 character string buffer too small
This version of the error can occur if you set a character variable to a value larger than what it can hold.
When you declare character variables (CHAR, VARCHAR2, for example), you need to specify the maximum size of the value. If a value is assigned to this variable which is larger than that size, then this error will occur.
For example:
DECLARE
charValue VARCHAR2(5);
BEGIN
charValue := 'ABCDEF';
END;
If I compile this code, I get an error:
ORA-06502: PL/SQL: numeric or value error: character string buffer too small ORA-06512: at line 4
This happens because the variable is 5 characters long, and I’m setting it to a value which is 6 characters long.
You could also get this error when using CHAR data types.
DECLARE
charValue CHAR(5);
BEGIN
charValue := 'A';
charValue := charValue || 'B';
END;
ORA-06502: PL/SQL: numeric or value error: character string buffer too small ORA-06512: at line 5
This error happens because the CHAR data type uses the maximum number of characters. It has stored the value of A and added 4 space characters, up until its maximum value of 5.
When you try to concatenate a value of B to it, the resulting value is ‘A B’, which is 6 characters.
To resolve this, use a VARCHAR2 variable instead of a CHAR, and ensure the maximum size is enough for you.
ORA-06502: pl/sql: numeric or value error: null index table key value
Sometimes you might get this error message with the ORA-06502 error:
ORA-06502: pl/sql: numeric or value error: null index table key value
This means that either:
- Your index variable is not getting initialized, or
- Your index variable is getting set to NULL somewhere in the code.
Check your code to see that neither of these two situations are happening.
ORA-06502: pl/sql: numeric or value error: bulk bind: truncated bind
You might also get this specific error message:
ORA-06502: pl/sql: numeric or value error: bulk bind: truncated bind
This is caused by an attempt to SELECT, UPDATE, or INSERT data into a table using a PL/SQL type where a column does not have the same scale as the column in the table.
For example, you may have declared a variable in PL/SQL to be VARCHAR2(100), but your table is only a VARCHAR2(50) field. You may get this error then.
You may also get this error because some data types in PL/SQL have different lengths in SQL.
To resolve this, declare your variables as the same type as the SQL table:
type t_yourcol is table of yourtable.yourcol%TYPE;
So, that’s how you resolve the ORA-06502 error.
Lastly, if you enjoy the information and career advice I’ve been providing, sign up to my newsletter below to stay up-to-date on my articles. You’ll also receive a fantastic bonus. Thanks!
ORA-06502: PL/SQL: numeric or value error: character string buffer too small error occurs when the length of the character string exceeds the length of the declared character type variable,. The value cannot be assigned to the variable if the size of the value passed in the database exceeds the size of the variable declared. The error ORA-06502: PL/SQL: numeric or value error: character string buffer too small would be thrown by the oracle. The error occurs because the output value saved in that variable is longer than it was declared.
The length of the string should not exceed the size of the data type declared in the variable. The string can be stored in the variable in this case. If the length of the character string exceeds the declared variable size, the character string cannot be saved. If the character is attempted to be assigned to the attribute, an exception would be thrown.
Exception
The error will be described as follows. The line number identifies the location of the error. The variable data size is larger than the value size. The following error has been thrown.
declare
empid varchar2(3);
begin
empid := 'A101';
end;
Error report -
ORA-06502: PL/SQL: numeric or value error: character string buffer too small
ORA-06512: at line 4
06502. 00000 - "PL/SQL: numeric or value error%s"
Two ORA errors can be seen in the error stack trace. The first error code is shown alongside the error message. The second error code indicates which line the error happened on. The error indicates that the declared string variable’s size is insufficient in comparison to the value assigned to it.
Problem
The character string cannot be allocated if the length of the string exceeds the size of the declared data type variable. The error can be repeated in this scenario. The database is attempting to assign the variable a string. The error would be thrown since the string is longer than the variable’s length.
In the example below, the value has four characters. The variable is declared to be three characters long. The length of the string value exceeds the length of the declared variable. The error ORA-06502:PL/SQL: numeric or value error: character string buffer too small would be thrown if the value is assigned to a variable that is smaller in size.
declare
empid varchar2(3);
begin
empid := 'A101';
end;
Output
declare
empid varchar2(3);
begin
empid := 'A101';
end;
Error report -
ORA-06502: PL/SQL: numeric or value error: character string buffer too small
ORA-06512: at line 4
06502. 00000 - "PL/SQL: numeric or value error%s"
Cause
An arithmetic, numeric, string, conversion, or constraint error occurred. For example, this error occurs if an attempt is made to assign the value NULL to a variable declared NOT NULL, or if an attempt is made to assign an integer larger than 99 to a variable declared NUMBER(2).
Action
Change the data, how it is manipulated, or how it is declared so that values do not violate constraints.
Solution 1
The size of the value passed in Oracle PS./SQL exceeds the declared character data type size. To accommodate the value, the variable data type should be modified. The character data type’s size should be increased. If the size of the character data type is reached to maximum size of the data type, the different data type should be used to accommodate the larger value.
declare
empid varchar2(4);
begin
empid := 'A101';
end;
Output
PL/SQL procedure successfully completed.
Solution 2
It’s essential to double-check the PL/SQL value. It’s possible that the value was passed to the variable inappropriately or that there was an error in the method. The value will be stored in the variable if it is corrected.
declare
empid varchar2(4);
begin
empid := '101';
end;
Output
PL/SQL procedure successfully completed.
Solution 3
In most instances, the value assigned would be within the declared data type’s range. The length of the value sometimes reaches the declared data type size. We can’t adjust the data type size in this situation. The exception should be handled and taken action in the PL/SQL code.
declare
empid varchar2(3);
begin
empid := 'A101';
exception
WHEN OTHERS THEN
empid :=0;
end;
Output
PL/SQL procedure successfully completed.
Problem
User performs a database optimise. An error appears.
Symptom
Number: 5
Source: FrangoDirect.Optimize.AnalyzeSchema#System.Web.Services
Description: System.Web.Services.Protocols.SoapException: Server was unable to process request. —> System.Exception: ORA-06502: PL/SQL: numeric or value error: character string buffer too small
ORA-06512: at «<schemaname>.PRC_ANALYZE_SCHEMA», line 25
ORA-06512: at line 1
at Microsoft.VisualBasic.ErrObject.Raise(Int32 Number, Object Source, Object Description, Object HelpFile, Object HelpContext)
at ControllerServerCommon.RaiseErrSrv.RaiseError(String sUser, Int32 lErrNo, String sErrSource, String sErrDesc, String sErrHelpFile, Int32 lErrHelpContext)
at FrDatabaseBT.OptimizeT.AnalyzeSchema(String sGuid, String sUser)
— End of inner exception stack trace —
at Microsoft.VisualBasic.ErrObject.Raise(Int32 Number, Object Source, Object Description, Object HelpFile, Object HelpContext)
at Cognos.Controller.Common.RaiseErrCli.RaiseError(Int32 lErrNo, String sErrSource, String sErrDesc, String sErrHelpFile, Int32 lErrHelpContext)
at Cognos.Controller.Direct.Optimize.AnalyzeSchema()
at Cognos.Controller.Forms.Form.frmOptimize.RunDatabaseOptimization(Boolean& bErr, Int32& lErr, String sUser, String& sErr1, String& sErr2)
at Cognos.Controller.Forms.Form.frmOptimize.IRun_DoRun()
Cause
Customer has (unsupported) manually altered the Oracle schema.
Example:
In one real-life example, the customer created a copy of an existing Oracle table, but renamed it to a long name (many characters).
- The name of that new table was too long (therefore the Controller stored procedure ‘PRC_ANALYZE_SCHEMA‘ failed with an error).
Resolving The Problem
Fix:
Do not manually alter the Oracle schema (outside of the Controller GUI).
Workaround:
In one real-life example, the solution was to rename the new/bespoke table to be a shorter name.
Document Location
Worldwide
[{«Business Unit»:{«code»:»BU059″,»label»:»IBM Software w/o TPS»},»Product»:{«code»:»SS9S6B»,»label»:»IBM Cognos Controller»},»Component»:»»,»Platform»:[{«code»:»PF033″,»label»:»Windows»}],»Version»:»10.4.1″,»Edition»:»»,»Line of Business»:{«code»:»LOB10″,»label»:»Data and AI»}}]
ORA-06502:
PL / SQL: numeric or value error: character string buffer too small error
analysis
1. The
cause of the problem
Recently when performing some operations oracle,
and will always encounter this error: ORA-06502: PL / SQL: numeric or value
error: character string buffer too small error as follows:
ORA-00604: Recursive SQL Level 1 errors
ORA-06502: PL / SQL: numeric or value error: character string
buffer too small
ORA-06512: at line 7
2. The
official explanation
See the document on the official explanation:
ORA-06502: PL / SQL:
numeric or value errorstring
Cause:
An arithmetic, numeric, string, conversion, or constraint error occurred For
example, this error occurs if an attempt is made to assign the value NULL to a
variable declared NOT NULL, or if an attempt is made to assign an integer
larger. than 99 to a variable declared NUMBER (2).
Action: Change the data, how it is manipulated, or
how it is declared so that values do not violate constraints.
The official explanation is: to stored data in the
database (including data, strings, etc.) does not meet the definition of the
field (such as length, constraints, etc.), for example, that you want to store
a null value to a non-empty fields, As deposited three more digits to NUMBER
(2) field, etc.
The official solution is: change the type of data,
or length, and so on.
3.
Description of the problem
However, in practice, we do upgrade, or do EXPDP /
IMPDP time, is not our own business data, also reported this error, in which
case, how do I know where the data change it,
A few
examples:
Example 1.
The last time was doing oracle upgrade, rose to 11.2.0.1.6 from 11.2.0.1.0 time
in the final run upgrade script catcpu.sql when you encounter this error:
SQL> / ***************************** PACKAGE
BODY **************** ʱ??
SQL> / *** DBMS_EXPFIL: Package to manage a
Expression Engine *** /
SQL> / *** All procedures are defined with
definer rights *** /
SQL> /
*********************************************** ʱ??
SQL> create or replace package body dbms_expfil
wrapped
f5t1PSNPJhKkNUFecK3LJ0wJChaaSsloMeCeeC3pud2dm7 +
rVQUjJz6UkBKiymIRTD47p8N
+
dIIc0OU7IlN6zUWPsEgm9hnXXIeGgSQFJU // nCdeBSWO7VQUXXQwvWTkRaQX + VcQUdld5As
cx9z + 2uhSovZ8svraprK7VAh2cy8bqQBlS
+ 1P4mkrsCSbvlsRSSqN + XgZbZqgUDSzZFfRbc0
create or replace package body dbms_expfil wrapped
Line 1 error:
ORA-00604: Recursive SQL Level 1 errors
ORA-06502: PL / SQL: numeric or value error: character string
buffer too small
ORA-06512: at line 7
In this case, oracle itself is obviously something
went wrong, we can not change anything.
Example 2:
In doing expdp / impdp when importing and exporting, reported this error:
expdp SCOTT directory=RIM dumpfile=expdpSCOTT.dmp logfile=expdpSCOTT.log exclude=TABLE:»IN (‘ABC’,’DEF’,’GHI’,’JKL’,’MNO’)»
Export: Release 11.2.0.1.0 — Production on Friday
July 27 2012 17:43:11
Copyright (c) 1982, 2009, Oracle and / or its
affiliates. All rights reserved.
Connected to: Oracle Database 11g Enterprise
Edition Release 11.2.0.1.0 — Production
With the Partitioning, OLAP, Data Mining and Real
Application Testing options
ORA-31626: job does not
exist
ORA-31637: cannot create
job SYS_EXPORT_SCHEMA_02 for user SIMANG_D
ORA-06512: at
«SYS.DBMS_SYS_ERROR», line 95
ORA-06512: at
«SYS.KUPV$FT_INT», line 600
ORA-39080: failed to
create queues «KUPC$C_1_20150822103744» and
«KUPC$S_1_20150822103744» for Data Pump job
ORA-06512: at
«SYS.DBMS_SYS_ERROR», line 95
ORA-06512: at
«SYS.KUPC$QUE_INT», line 1555
ORA-06502: PL/SQL: numeric
or value error: character string buffer too small
impdp SCOTT directory=RIM dumpfile=expdpSCOTT.dmp logfile=impdpSCOTT.log include=TABLE:»IN (‘ABC’,’DEF’,’GHI’,’JKL’,’MNO’)»
Import: Release 11.2.0.1.0 — Production on Friday
July 27 2012 18:09:11
Copyright (c) 1982, 2009, Oracle and / or its
affiliates. All rights reserved.
Connected to: Oracle
Database 11g Enterprise Edition Release 11.2.0.1.0 — Production
ORA-31626: job does not
exist
ORA-31637: cannot create
job SYS_EXPORT_SCHEMA_02 for user SIMANG_D
ORA-06512: at
«SYS.DBMS_SYS_ERROR», line 95
ORA-06512: at
«SYS.KUPV$FT_INT», line 600
ORA-39080: failed to
create queues «KUPC$C_1_20150822103744» and
«KUPC$S_1_20150822103744» for Data Pump job
ORA-06512: at
«SYS.DBMS_SYS_ERROR», line 95
ORA-06512: at
«SYS.KUPC$QUE_INT», line 1555
ORA-06502: PL/SQL: numeric
or value error: character string buffer too small
In this case, it looks like oracle in the creation
of this task, because ORA-06502 errors can not be created.
4. Problem
Solving
In both cases, and user data nothing but an
ORA-06502 error, indicating ORACLE itself has a system table when you insert
data does not meet the length requirement, but reported this mistake.
Gathering information: According to investigation
materials, oracle has an implicit parameter «_system_trig_enabled» is
used to control the system triggers for some of the trigger events storage
system, but this table (currently do not know which table) is itself a problem,
resulting in data can not be inserted.
Solution:
Along the idea, as long as we put this parameter off, let the system log is not
saved in question goes on the table, like a (of course there are the risks
implied, is currently unknown):
Solution:
col name for a30;
col value for a10;
col deflt for a10;
col type for a20;
col description for
a50;
select a.ksppinm
name,b.ksppstvl value,
b.ksppstdf
deflt,decode(a.ksppity, 1,’boolean’, 2,’string’, 3,’number’, 4,’file’,
a.ksppity) type,a.ksppdesc description
from sys.x$ksppi a,
sys.x$ksppcv b
where a.indx = b.indx
and
a.ksppinm like ‘_%’
escape » and
a.ksppinm like ‘%_system_trig_enabled%’
order by name;
SQL> alter system
set «_system_trig_enabled»=FALSE;
After complete the activity Enabled the trigger.
After the change, do the above operation, the
problem is solved!
5. Summary
Depending on the problem there are two kinds of
solutions
A. If
the user data, change the user table, or data
B. if
the oracle system tables, use the following statement system triggers off
system:
alter system set
«_system_trig_enabled» = false;
Вы можете получить сообщение об ошибке, указывающее, что мой буфер строки ошибок ora-06502 pl / sql слишком мал. Есть несколько способов решить эту проблему, и мы скоро разберемся с приложением.
Рекомендуется
Ускорьте свой компьютер сегодня с помощью этой простой в использовании загрузки. г.
ORA-06502: Числовая ошибка PL / SQL, с другой стороны, количественная ошибка: слишком маленький буфер символьной строки. Ошибка возникает, когда символьная строка длиннее по сравнению с объявленной температурной переменной. Длина каждой строки не должна превышать размер нашего собственного типа данных, объявленного в переменной.
ORA-06502: Числовая или значимая ошибка PL / SQL: слишком маленький числовой буфер. Ошибки возникают, когда расстояние строки местоположения превышает длину, относящуюся к этой конкретной объявленной символьной переменной. Разрыв строки не должен превышать размер типа захвата, объявленного в переменной.
Я тестировал все следующие различные методы кода, такие как удаление while и as well if, но когда я обслуживаю их вместе (if и while), я все равно получаю сообщение об ошибке с обоих концов …
p >
номера справкиВключить вывод на серверNumero принимает причину «Введите № от 110 до 999:»Объяснять I число: равно 1; знак (25); udemrrrket Dynamics (1); c varchar2 (10); телефонный номер ;начинать Цельсия: = & число; d: подразумевает длину (c); j: = подстрока (c, i, 1); написания цикла <= d если b = '1', то a: = сказочный || 'а'; Конец, если; я: = я + 1; Приемная петля; dbms_output.put_line ('Счетчик равен' || a);Конец;/
ORA-06502: PL или SQL: числовое значение или просто ошибка: буфер символьного цикла слишком малORA-06512: на линии 1306502.00000 "PL на SQL: числовое значение или значение ошибки% s" зона
a varchar2 (2000);
* Обратите внимание, что основное изменение здесь — это работа VARCHAR2 вместо CHAR (не самая длинная временная длина). Согласно ответу @ user272735, это всегда было каждым ключом.
ORA-06502: PL / SQL: число или ошибка: слишком мала строка strm. Ошибка возникает, если длина выполнения строки символов намного дороже, чем длина объявленного регулируемого стиля. Значение не может быть присвоено переменной should, если размер значения, передаваемого с базой данных, превышает размер этой объявленной переменной. ORA-06502: PL / SQL: числовые, с другой стороны. Ошибка: строковый буфер со слишком маленьким значением, как правило, будет возвращен oracle. Эта ошибка возникает из-за того, что распознание вывода, хранящееся в этой переменной, длиннее, чем было объявлено.
Длина вашей текущей строки не должна превышать машину того типа данных, который объявлен для изменения. В этом конкретном случае строку часто можно сохранить в переменной. Если длина призрачной марки превышает указанный размер смещения, кабель больше нельзя будет сохранить. Если выполняется проверка для присвоения атрибутов апелляции, создается исключение.
Исключение
Ошибка описывается следующим образом. Номер выбора указывает на ошибку. Длина данных вместе с переменной больше, чем длина значения. Следующая ошибка произошла недавно.
Объявить
void varchar2 (3);начинать пустой: = 'A101';Конец;Указатели ошибок -ORA-06502: числовой pl / sql: или ошибка цены: буфер строки духа слишком малORA-06512: строка 406502.00000 1. "PL / SQL: значение слишком числовая ошибка% s"
В трассировке стека ошибок можно увидеть две ошибки ORA. Рядом с вероятностью ошибки отображается первое предприятие с ошибкой. Вторая ошибка кода указывает, в какой строке обычно возникает ошибка. Ошибка свидетельствует о том, что размер строки деталей, учитываемых при анализе, больше не соответствует присвоенному ей значению.
Проблема
Рекомендуется
Ваш компьютер работает медленно? У вас проблемы с запуском Windows? Не отчаивайтесь! ASR Pro — это решение для вас. Этот мощный и простой в использовании инструмент проведет диагностику и ремонт вашего ПК, повысит производительность системы, оптимизирует память и повысит безопасность процесса. Так что не ждите — скачайте ASR Pro сегодня!
Невозможно описать строку, если она намного длиннее, чем тип размера объявленной переменной веб-типа данных. В этом случае ошибка может повториться. Источник статистики пытается присвоить строку, чтобы убедиться, что вы указали номер. Будет выдана ошибка, если вы посчитаете, что строка содержит больше времени, чем ширина переменной.
В следующей затруднительной ситуации важны четыре личности. В частности, переменная объявляется длиной в три символа. Длина строкового значения превышает размер типа объявленной переменной. ORA-06502: Ошибка PL / SQL: ошибка числа или значения: буфер строки роли мал, все равно будет отображаться, если значение привело к небольшой переменной.
Объявить
void varchar2 (3);начинать = пусто 'A101';Конец ;
до свидания
Объявить
бесполезный varchar2 (3);начинать : = освободить 'A101';Конец;Страница ошибки -ORA-06502: PL / SQL: числовая ошибка или ошибка цены арены: строковый буфер слишком малORA-06512: на шпагате 406502.00000 3. PL / SQL: числовое значение или значение ошибки% s "
Причина
Произошла математическая, числовая, строковая, преобразовательная ошибка или, возможно, ошибка ограничения. Например, конкретная ошибка возникает, когда вы пытаетесь установить NULL, чтобы получить хорошую переменную, объявленную как NON NULL, или когда вы пытаетесь использовать внешние бюро для целого числа больше 99, чтобы помочь вам идентифицировать переменную с помощью NUMBER (2) оператор.
Действие
Измените степень детализации, то, как она обрабатывается или как лучше всего ее объявить, чтобы сокровище определенно нарушало ограничения.
Уникальное решение
Часть значения, переданного в Oracle PS./SQL, превышает размер, указанный для уникального символьного типа поиска. Чтобы воспользоваться этим, необходимо изменить тип типа данных. Общий вид символьного типа данных должен быть лучше. Если я хочу, чтобы размер моего дизайна данных репутации был максимальным, добавленным к типу данных, следует использовать другую сортировку диска, чтобы удовлетворить большую любовь.
Объявить
обнулить varchar2 (4);начинать пусто: = 'A101';Конец . . .
выход
Процедура PL / SQL успешно завершена.
Двойное решение
Очень важно стать широко известным благодаря ценному содержанию PL / SQL. Возможно, значение переменной было авторизовано некорректно и даже в одном методе произошла ошибка. После исправления значение be, безусловно, можно сохранить в переменной.
Объявить
varchar2 (4);начинать empid empid: указывает на «101»;Конец ;
выход
Процедура PL / SQL успешно выполнена.
Решение 3
Во многих случаях присвоенное значение находится в определенном диапазоне объявленного типа данных. Размер значения регулярно достигает заявленного расстояния и ширины типа данных. В типичной ситуации мы не можем регулировать размер всех типов данных. Упущение необходимо исправить, а затем учесть в коде PL / SQL.
Объявить
обнулить varchar2 (3);начинать пусто: = 'A101';исключение ЕСЛИ ДРУГОЕ, ТО пустой: = 0;Конец . . .
выход
Транзакция PL / SQL завершена успешно.
Ускорьте свой компьютер сегодня с помощью этой простой в использовании загрузки. г.
Сделайте так, чтобы вы могли SQL Designer (Инструменты / Настройки / База данных для NLS). Замените его на «СИМВОЛ». Как вы наверняка увидите, после изменения параметра плохие направляющие необходимо перекомпилировать, чтобы они стали «CHAR». Чтобы проверить, скомпилированы ли другие пакеты некорректно, воспользуйтесь этим запросом.
Как исправить ошибку ORA-06502?
Изменение числового значения на правильный диапазон цифр человека или изменение перехода на другой диапазон цифр, чтобы соответствовать значению, активирует ORA-06502.
Как исправить слишком маленький буфер числовой строки PL SQL, а также символьной строки ошибки значения?
Перейдите в помощь SQL Developer (Инструменты / Настройки / База данных и NLS). Замените его на «СИМВОЛ». Чтобы исправить эту конкретную основную проблему, вам необходимо перекомпилировать поврежденные пакеты после изменения конфигурации, чтобы убедиться, что у вас есть «CHAR». Чтобы увидеть, были ли другие инструменты скомпилированы неправильно, запустите этот раздел.
Ora 06502 Pl Sql Error Character String Buffer Too Small
Ora 06502 Pl Sql Error Zeichenkettenpuffer Zu Klein
Ora 06502 Buffer Della Stringa Di Caratteri Di Errore Pl Sql Troppo Piccolo
Ora 06502 Pl Sql Erreur Tampon De Chaine De Caracteres Trop Petit
Ora 06502 Pl Sql Fout Karakter String Buffer Te Klein
Ora 06502 Pl Sql Fel Teckenstrangbuffert For Liten
Ora 06502 Pl Sql Erro De Caracteres String Buffer Muito Pequeno
Ora 06502 Pl Sql 오류 문자열 버퍼가 너무 작습니다
Ora 06502 Pl Sql Bufer De Cadena De Caracteres De Error Demasiado Pequeno
Ora 06502 Blad Pl Sql Bufor Ciagu Znakow Za Maly
г.