Quantcast
Channel: SCN : All Content - SAP on Oracle
Viewing all 2104 articles
Browse latest View live

While running Control.sql error ORA-27091: unable to queue I/O

$
0
0


Hello Friends,

 

We are doing system copy as backup restore, restore is completed 100% and when i am running @Control.sql i am getting below error.

 

SQL> @Control.sql

ORA-27091: unable to queue I/O

ORA-27070: async read/write failed

OSD-04006: ReadFile() failure, unable to read from file

O/S-Error: (OS 38) Reached the end of the file.

CREATE CONTROLFILE SET DATABASE "SID" RESETLOGS  NOARCHIVELOG

 

Some background info

 

this is online Backup belongs to quality system which i am restoring on test server

 

when i took backup fo quality using brtools backup completed successfully 100% and i can see all the datafile on my backup location (local drive) except

G:\oracle\SID\sapdata3\SR3701.DATA1 like this there are 14 datafiles which were not backed up or i cannot find that in my backup folder

 

But backup completed successfully 100% then why these files are not copied??

 

i can see other files M:\oracle\FNQ\sapdata3\SR3701X.DATA1 but cannot find G:\oracle\SID\sapdata3\SR3701.DATA1.

 

 

Kindly help me to solve this issue.

 

Thanks

Tabrayz


BR0252E Function fopen() failed for '/oracle/sid/sapdata1\sapbackup\.user.pas' at brtoolcall-2data1'

$
0
0

Dear experts,

 

When I use  the brtools for database backup happen error:

BR0252E Function fopen() failed for 'drive:\oracle\sid\sapdata1\sapbackup\;user.pas' at location Brtoolcall-2

BRO252E ERRNO 2: No such file or directory


BR0669I canot contain due to previous warnings or errors -you can go back to repeat last action


BR0280I  BRTOOLS TIME STAMP:2014-01-21 10.20

BR0671I Enter b - back to go back,  s - stop to abort:



BEFORE MY BRTOOLS IS NOT WORKED ,AFTER ADDING  'DBMS_TYPE 'IN EVINROMENTAL VARIABLES ,BRTOOLS IS WORKING


THANKS

NANI





[Oracle] DB Optimizer Part IX - Session specific statistics for GTT (global temporary tables) with Oracle 12c

$
0
0

Introduction

In the past days i was involved in an Oracle 12c performance evaluation / certification for a non SAP application, which uses GTTs (global temporary tables) in different modules very regularly. Prior Oracle 12c the statistic handling of GTTs was pretty tricky and can lead to insufficient execution plans very easily. Tom Kyte has written an article about the different possible solutions (e.g dynamic sampling, DBMS_STATS or hinting). In several cases you have to catch a specific point in time with representative data to gather the "best possible" statistics, but even then it is very easy to fail in several cases. Luckily all of this is the past with Oracle 12c. Why? Let's check the official Oracle documentation for that new feature called "Session-Specific Statistics for Global Temporary Tables".

 

Oracle documentation

A global temporary table is a special table that stores intermediate session-private data for a specific duration. The ON COMMIT clause of CREATE GLOBAL TEMPORARY TABLE indicates whether the table is transaction-specific (DELETE ROWS) or session-specific (PRESERVE ROWS). Thus, temporary tables hold intermediate result sets for the duration of either a transaction or a session.

 

When you create a global temporary table, you create a definition that is visible to all sessions. No physical storage is allocated. When a session first puts data into the table, the database allocates storage space. The data in a temporary table is only visible to the current session.

 

In previous releases, the database did not maintain statistics for global temporary tables and non-global temporary tables differently. The database maintained one version of the statistics shared by all sessions, even though data in different sessions could differ. Starting in Oracle Database 12c Release 1 (12.1), you can set the table-level preference GLOBAL_TEMP_TABLE_STATS to make statistics on a global temporary table shared or session-specific. If set to session-specific, then you can gather statistics for a global temporary table in one session, and then use the statistics for this session only. Meanwhile, users can continue to maintain a shared version of the statistics. During optimization, the optimizer first checks whether a global temporary table has session-specific statistics. If yes, the optimizer uses them. Otherwise, the optimizer uses shared statistics if they exist.


DBMS_STATS commits changes to session-specific global temporary tables, but not to transaction-specific global temporary tables. In previous releases, running DBMS_STATS.GATHER_TABLE_STATS on a transaction-specific temporary table (ON COMMIT DELETE ROWS) would delete all rows in the table, making the statistics show the table as empty. Starting in Oracle Database 12c Release 1 (12.1), the following procedures do not commit for transaction-specific temporary tables, so that data in these tables is not lost: GATHER_TABLE_STATS, DELETE_TABLE_STATS, DELETE_COLUMN_STATS, DELETE_INDEX_STATS, SET_TABLE_STATS, SET_COLUMN_STATS, SET_INDEX_STATS, GET_TABLE_STATS, GET_COLUMN_STATS, GET_INDEX_STATS

 

Basically the documentation also states the previously discussed main issue ("The database maintained one version of the statistics shared by all sessions, even though data in different sessions could differ") with GTTs and statistics. Let's continue with a demo to show the enhanced behavior between Oracle 11g R2 and Oracle 12c R1.

 

 

Demo

The following demo was run on OEL 6.4 with an Oracle 11g R2 (11.2.0.3.6) and Oracle 12c R1 (12.1.0.1) database.

At first i will demonstrate the old behavior and its issue and then the new feature "session specific statistics for global temporary tables" with Oracle 12c.


Oracle 11g R2 (11.2.0.3.6)

SQL> create global temporary table MYGTT (a number) on commit preserve rows;

 

SQL> select PREFERENCE_NAME , PREFERENCE_VALUE  from DBA_TAB_STAT_PREFS
where table_name = 'MYGTT';
no rows selected

 

** Session 1
SQL> insert into MYGTT select rownum from dba_objects where rownum <= 5000;
SQL> commit;
SQL> exec DBMS_STATS.GATHER_TABLE_STATS(USER,'MYGTT');
SQL> select TABLE_NAME, NUM_ROWS from USER_TAB_STATISTICS where TABLE_NAME = 'MYGTT';
TABLE_NAME             NUM_ROWS
------------------------------ ----------
MYGTT                     5000

 

** Session 2
SQL> insert into MYGTT select rownum from dba_objects where rownum <= 10;
SQL> commit;
SQL> exec DBMS_STATS.GATHER_TABLE_STATS(USER,'MYGTT');
SQL> select TABLE_NAME, NUM_ROWS from USER_TAB_STATISTICS where TABLE_NAME = 'MYGTT';
TABLE_NAME             NUM_ROWS
------------------------------ ----------
MYGTT                       10

 

** Session 1
SQL> select /*+ gather_plan_statistics */ * from MYGTT;

11gR2_Execution_Plan_Sess1.png

 

** Session 2
SQL> select /*+ gather_plan_statistics */ * from MYGTT;

11gR2_Execution_Plan_Sess2.png

As you can see the basic table statistics only represent the data pattern of the session who executed the (last) DBMS_STATS call. In consequence the execution plan in the first session has a heavily underestimated cardinality (estimated 10 rows to actual 5000 rows), which can lead to bad execution plans very easily. You also can see that both session share the same child cursor. Let's do exactly the same exercise with Oracle 12c R1 now.

 

Oracle 12c R1 (12.1.0.1)

SQL> create global temporary table MYGTT (a number) on commit preserve rows;

 

SQL> select PREFERENCE_NAME , PREFERENCE_VALUE  from DBA_TAB_STAT_PREFS
where table_name = 'MYGTT';
no rows selected

 

SQL> select DBMS_STATS.GET_PREFS('GLOBAL_TEMP_TABLE_STATS','TESTUSER','MYGTT')
as GLOBAL_TEMP_TABLE_STATS from dual;
GLOBAL_TEMP_TABLE_STATS
----------------------------
SESSION

 

Let's stop shortly at this point here. The official documentation states "... you can set the table-level preference GLOBAL_TEMP_TABLE_STATS to make statistics on a global temporary table shared or session-specific", but it is seems like Oracle forgot to mention that this new feature (session specific statistics) is already the "default". So in consequence session specific statistics are gathered on GTTs by DBMS_STATS, even if you do not set the table preference attribute explicitly. This may lead to a new behavior with GTTs in Oracle 12c very easily.

 

** Session 1
SQL> insert into MYGTT select rownum from dba_objects where rownum <= 5000;
SQL> commit;
SQL> exec DBMS_STATS.GATHER_TABLE_STATS(USER,'MYGTT');
SQL> select TABLE_NAME, NUM_ROWS, SCOPE from USER_TAB_STATISTICS
where TABLE_NAME = 'MYGTT';
TABLE_NAME             NUM_ROWS SCOPE
------------------------------ ---------- -------
MYGTT                      SHARED
MYGTT                     5000 SESSION

 

** Session 2
SQL> insert into MYGTT select rownum from dba_objects where rownum <= 10;
SQL> commit;
SQL> exec DBMS_STATS.GATHER_TABLE_STATS(USER,'MYGTT');
SQL> select TABLE_NAME, NUM_ROWS, SCOPE from USER_TAB_STATISTICS
where TABLE_NAME = 'MYGTT';
TABLE_NAME             NUM_ROWS SCOPE
------------------------------ ---------- -------
MYGTT                      SHARED
MYGTT                       10 SESSION

 

** Session 1
SQL> select /*+ gather_plan_statistics */ * from MYGTT;

12cR1_Execution_Plan_Sess1.png

 

** Session 2
SQL> select /*+ gather_plan_statistics */ * from MYGTT;

12cR1_Execution_Plan_Sess2.png

 

As you can see the basic table statistics have an additional scope (SESSION in our case) right now. The DBMS_STATS call gathered session specific statistics for the GTT and in consequence the cardinality estimates are correct in both cases. DBMS_XPLAN also prints a separate note, if session specific statistics were used by the CBO. You may also notice that each session has its own child cursor (by using session specific statistics) - so let's check the reason for these child cursors at last.


 

SQL> @http://blog.tanelpoder.com/files/scripts/nonshared2.sql PRINT fkucn6k7cwwgm

12cR1_Child_Cursor_Reason.png

 

 

Summary

Session specific statistics for global temporary tables makes the life easier and can lead to better cardinality and cost calculations by the CBO. It also removes most of the needed work-arounds and hacks prior Oracle 12c R1.

However keep in mind that this feature is enabled by default for GTTs and is used even if you do not explicitly set the table preference. Please be aware of that this feature does not work with the SYS account, if you want to research or test it.

 

If you have any further questions - please feel free to ask or get in contact directly, if you need assistance by troubleshooting Oracle database performance or CBO issues.

 

 

References

Only Tables (no secondary indexes) Online Reorg with BrSpace

$
0
0

Hi all,

We are struggling with a huge table reorg (more than 1.5 TB). We manage to reorg the table after several hours but the reorg failed when Brspace tried to rebuild one of the secondary index. Due to this, all the reorg was rolled back and we lost our maintentance window.

 

My question is if would be possible to run an online reorg for just the table and the primary index. After that we can rebuild the secondary indexes and just rerun the rebuild again in case of failure.

 

One option is to drop the indexes before and recreate after the reorg, but I'm looking for a more elegant solution.

 

Many thanks in advanced,

Backup failed - DB13 & BRTOOLS

$
0
0

Hi,

 

SAP Backup failed. .  DB13 and BRtools backup also failed.

 

Please advise, see the log details...

 

Execute logical command BRCONNECT On host SAPPRDSERV
Parameters: -u / -jid CHECK20140122104903 -c -f check
BR0801I BRCONNECT 7.00 (52)
BR0280I BRCONNECT time stamp: 2014-01-22 10.49.04
BR0301E SQL error -1031 at location BrInitOraCreate-2, SQL statement:
'CONNECT / AT PROF_CONN IN SYSOPER MODE'
ORA-01031: insufficient privileges
BR0303E Determination of Oracle version failed

BR0806I End of BRCONNECT processing: cenaojhw.chk2014-01-22 10.49.04
BR0280I BRCONNECT time stamp: 2014-01-22 10.49.04
BR0804I BRCONNECT terminated with errors
External program terminated with exit code 3
BRCONNECT returned error status E

 

 

Regards

 

RR

SAP license problem in redolog backup

$
0
0

Hi all,

 

We are using the oracle DB,HA system.

Every half hour the offline redolog backup was triggered in Primary DB and Local standby.

 

log flie in primary DB:

 

BR0006I Start of offline redolog processing: aenaqwfo.cds 2014-01-22 20:00:24

BR0484I BRARCHIVE log file: /oracle/PCT/saparch/aenaqwfo.cds

BR0477I Oracle pfile /oracle/PCT/112_64/dbs/initPCT.ora created from spfile /oracle/PCT/112_64/dbs/spfilePCT.ora

BR1301W Error message from likeywlib:

===...could not load SSF library .//libsapcrypto.so .

 

 

BR1301W Error message from likeywlib: 543 likey_init: Couldn't load SAPSECULIB (".//libsapcrypto.so") using function SsfSupInitEx (), rc = 10 (no library).

BR1301W Error message from likeywlib: 542 likey_init: At least one more attempt to load the SAPSECULIB will follow.

BR1301W Error message from likeywlib:

===...could not load SSF library libsapcrypto.so .

 

 

BR1301W Error message from likeywlib: 543 likey_init: Couldn't load SAPSECULIB ("libsapcrypto.so") using function SsfSupInitEx (), rc = 10 (no library).

BR1301W Error message from likeywlib: 541 likey_init: Couldn't load SAPSECULIB. Giving up.

BR1302W Initialization of license key library likeywlib failed, return code 1

BR1304W Checking SAP license failed at location BrLicCheck-122

BR0602W No valid SAP license found - please contact SAP

 

 

BR0101I Parameters

 

 

Name                           Value

 

 

oracle_sid                     PCT

oracle_home                    /oracle/PCT/112_64

oracle_profile                 /oracle/PCT/112_64/dbs/initPCT.ora

sapdata_home                   /oracle/PCT

sap_profile                    /oracle/PCT/112_64/dbs/initPCT.sap

backup_dev_type                util_file

archive_dupl_del               only

system_info                    orapct/orapct a011440p200 Linux 3.0.80-0.7-default #1 SMP Tue Jun 25 18:32:49 UTC 2013 (25740f8) x86_64

oracle_info                    PCT 11.2.0.3.0 8192 92 49244201 a011440p200 UTF8 UTF8 2054034546 &PCT

sap_info                       731 SAPSR3 PCT TEMPLICENSE R3_ORA INITIAL

make_info                      linuxx86_64 OCI_112 Nov 20 2013 740_REL

command_line                   /usr/sap/PCT/SYS/exe/run/brarchive -d util_file -cds -c -u /

br_env                         ORACLE_SID=PCT,

                               ORACLE_HOME=/oracle/PCT/112_64,

                               NLS_LANG=.UTF8,

                               SAPDATA_HOME=/oracle/PCT

 

 

BR0013W No offline redolog files found for processing

 

 

BR0007I End of offline redolog processing: aenaqwfo.cds 2014-01-22 20:00:25

BR0280I BRARCHIVE time stamp: 2014-01-22 20:00:25

BR0004I BRARCHIVE completed successfully with warnings

=============================================================================================================

 

In Local standby DB:

 

BR0006I Start of offline redolog processing: aenaqwfi.cds 2014-01-22 20:00:18

BR0484I BRARCHIVE log file: /oracle/PCT/saparch/aenaqwfi.cds

BR1301W Error message from likeywlib: 2 likey_init: Sid "PCT_LSTB" is not 3 characters long.

BR1302W Initialization of license key library likeywlib failed, return code 1

BR1304W Checking SAP license failed at location BrLicCheck-122

BR0602W No valid SAP license found - please contact SAP

 

 

BR0101I Parameters

 

 

Name                           Value

 

 

oracle_sid                     PCT_LSTB

oracle_home                    /oracle/PCT/112_64

oracle_profile                 /oracle/PCT/112_64/dbs/initPCT_LSTB.ora

sapdata_home                   /oracle/PCT

sap_profile                    /oracle/PCT/112_64/dbs/initPCT_LSTB.sap

archive_type                   standby

backup_dev_type                util_file

archive_dupl_del               only

primary_db                     PCT.WORLD

system_info                    orapct/orapct a011440p201 Linux 3.0.80-0.7-default #1 SMP Tue Jun 25 18:32:49 UTC 2013 (25740f8) x86_64

oracle_info                    PCT 11.2.0.3.0 8192 92 49244201 a011440p200 UTF8 UTF8 2054034546 &PCT_LSTB

sap_info                       731 SAPSR3 PCT TEMPLICENSE R3_ORA INITIAL

make_info                      linuxx86_64 OCI_112 Nov 20 2013 740_REL

command_line                   /usr/sap/PCT/SYS/exe/run/brarchive -d util_file -cds -c -u /

br_env                         ORACLE_SID=PCT_LSTB,

                               ORACLE_HOME=/oracle/PCT/112_64,

                               NLS_LANG=.UTF8,

                               SAPDATA_HOME=/oracle/PCT

 

 

BR0613W Database instance PCT_LSTB/STANDBY is shut down

 

 

BR0039I Last offline redolog file /oracle/PCT/oraarch/PCTarch1_91_835192522.dbf will not be backed due to stopped database instance PCT_LSTB/STANDBY

 

 

BR0013W No offline redolog files found for processing

 

 

BR0007I End of offline redolog processing: aenaqwfi.cds 2014-01-22 20:00:19

BR0280I BRARCHIVE time stamp: 2014-01-22 20:00:19

BR0004I BRARCHIVE completed successfully with warnings

============================================================================================================

If any one know why this error has occur wher I have to check it?

In local standby ther is no copy save only delete has performed. (BR0039I Last offline redolog file /oracle/PCT/oraarch/PCTarch1_91_835192522.dbf will not be backed due to stopped database instance PCT_LSTB/STANDBY)

 

Thanks,

GP

OracleMSCS Service is not working

$
0
0

Dear All,

 

We have install OFS and just after installation we tried starting services ,,,But not able to start ,Below is the screen shot,

 

ofs.jpg

 

Rableen

Job slower after upgrade from Oracle 11.2.0.2 to 11.2.0.3

$
0
0

    Hallo.

I upgraded my production system from oracle 11.2.0.2 to oracle 11.2.0.3

 

I note that background job are slower.

 

For example a job ZJOB from 100000 sec. to 14000 sec. after the upgrade.

 

What could I check?

 

 

Statistics are updated.

 

Thanks for your help.

 

Mario


Oracle and Linux installation - error (DB_SID) not specified.

$
0
0

Hi,

 

 

I have one question, I try to install new SAP (ERP ECC 6.0) and Oracle instance (11.2.0.3) on the one server – Linux SUSE11. First able I try to install Oracle DB, and all the time I have error, I don`t know why, when I run ./RUNINSTALLER or ./RUNINSTALLER_CHECK, I see error - <DB_SID> is not specified, Set DB_SID in the environment.

 

Bellow information what I did:

 

 

I created folder /oracle/<SID>/and subfolders – 112_64, 11202, 11203, 11204, stage

I created user ora<SID> wit full access to the system

I changed permission to the oracle folder – chmod –R 777 oracle

I copied installation files (fromOSS) to the folder /oracle/<SID>/stage/database/SAP – and from these place I try to run installer ./RUNINSTALLER

 

 

 

And of course I have still error - - <DB_SID>is not specified, Set DB_SID in the environment.

 

 

What should I do, or where is the problem? Howcan I create DB_SID.

 

 

Regards,

 

T.

SAP System re-build

$
0
0

Hello,

 

We installed SAP system with Oracle and windows combination. Triggered brbackup and FS backup.

Unfortunately server is crashed due to harddisk failure. We want to rebuild the system with FS and backup which we took using brbackup.

 

Please suggest here how to proceed and if any document that will guide.

 

Best Regards,

Sri

Refresh - Destination environment is trying to run source backup job - no jobs

$
0
0

GHOST BACKUP JOB!

Weird issue with our SAP Oracle 11.2.0.3.  I refreshed our “DES” (destination) database with “SOU” (source) database.  So “DES” is now a copy of “SOU”.  I found in a backup log on the "DES" server showing that an attempt was made to backup “SOU” database but failed because it could not find “SOU” database.  This is correct because “DES”  database is the only one on the destination server.  I checked the scheduler for Oracle and SAP on the "DES" environment and there is nothing scheduled for backups on the "DES" database but it continues to run the backup schedule as it was on the “SOU” database, as it was before the backup occurred.  I hope I have not lost anyone.   What is initiating the backup schedule from the “SOU” source environment to run on the newly refreshed “DES” destination environment? 

LOG FILE:

BR0051I BRBACKUP 7.20 (27)
BR0055I Start of database backup: benaires.and 2014-01-20 22.00.14
BR0484I BRBACKUP log file: /oracle/DES/sapbackup/benaires.and

BR0613I Database instance SOU is shut down

BR0280I BRBACKUP time stamp: 2014-01-20 22.00.15
BR0304I Starting and opening database instance SOU ...
BR0278E Command output of '/oracle/DES/112_64/bin/sqlplus /nolog < /oracle/DES/sapbackup/.benaires.spi':

SQL*Plus: Release 11.2.0.3.0 Production on Mon Jan 20 22:00:15 2014

Copyright (c) 1982, 2011, Oracle.  All rights reserved.

SQL> Connected to an idle instance.
SQL>
SQL> SQL> SQL> SQL> ORA-01078: failure in processing system parameters
LRM-00109: could not open parameter file '/oracle/DES/112_64/dbs/initSOU.ora'
SQL> Disconnected
BR0280I BRBACKUP time stamp: 2014-01-20 22.00.15
BR0279E Return code from '/oracle/DES/112_64/bin/sqlplus /nolog < /oracle/DES/sapbackup/.benaires.spi': 0
BR0302E SQLPLUS call for database instance SOU failed
BR0306E Start and open of database instance SOU failed

BR0056I End of database backup: benaires.and 2014-01-20 22.00.15
BR0280I BRBACKUP time stamp: 2014-01-20 22.00.15
BR0054I BRBACKUP terminated with errors

NOTE:  Of course it does not find the initSOU.ora because it is not on the destination server.

System refresh with Commvault

$
0
0

Hallo,

 

we want to perform a SAP refresh, e.g. restore instance ABC from host1 to instance DEF on host2.

The backup was taken using Commvault software and the backint interface.

 

Looking at the Commvault documentation there seems to be a procedure in place for performing the above with Oracle only (not using backint).

However, the documentation does not mention anything for SAP (backint). All what's covered is the restore to the same SID on different hosts.

For other backup tools (eg. Networker, Dataprotector) I only had to execute the following command to restore:

brrestore -d util_file -b behhulnv.anf -m all -c force -u /

 

However, with Commvault this commands throws the following error:

(...)

Success in getting Job id=837 Token=<837:2:1>

Success in init with JM

getJobListByInstanceId=34 retCode=1

Cannot get the list of Jobs

Cannot figure out the job type legacy or Snap?

(...)

 

Any ideas?

Thanks and regards,

Thomas.

ORA-1653: unable to extend table ...

$
0
0

Hi All,

 

We have faced a very odd issue a few days ago. In our BW environment (Oracle 11.2.3) one load failed with the tipical space message:

 

ORA-1653: unable to extend table SAPXXX./BIC/AGPAO10A00 by 8192 in                 tablespace PSAPXXX

 

But the free space in PSAPXXX was 480GB !!!

We added another Datafile of 30GB but the error happened again. Finally we add 120GB more and the problem was solved.

 

The metioned table (SAPXXX./BIC/AGPAO10A00) growths only 2GB after the load.

 

The only logic explanation is that the TS is so fragmentated that was not able to allocate 2 GB continous, but with 480 GB free it sounds rare.

 

Any other idea? Do you know any method to get the fragmentation level of a TS?

 

Kind Regards

ORA-01455: converting column overflows integer datatype

$
0
0

Hi All,

 

Recently we have faced an issue in our SAP BW environment (SAP BW 7.3 and Oracle 11.2.3). We were getting runtime errors DBIF_DSQL2_SQL_ERROR with this Oracle Error:

 

ORA-01455: converting column overflows integer datatype

 

Source code is like that:

 

  EXEC SQL.

    select sum(inserts), sum(updates), sum(deletes)

     into :ins_rows, :upd_rows, :del_rows

     from user_tab_modifications

     where table_name  = :i_tablnm

  ENDEXEC.

 

i_Tablnm is /BIC/FGPAC13A.

 

After some research I figured out that the table statistics  look not good:

 

Capture.JPG

 

After update the statistics with BrConnect issue was solved.

 

Any idea about what can be the root cause of this incident and how we can prevent it. I have never seen before that a program fails because a table hasn't statistics. Performance problems yes, but run time errors ....

Kind Regards.

EWA Hardware Utilization Data

$
0
0

Hello Basis techs,

 

we are facing a strange issue in our systems. from EWA report Hardware utilization data is showing OK to some app servers and not showing anything on some app servers. And it is changing every week some are OK in next then week.

 

I have checked the SAP Note 1309499

and our OS team said SDCCN is upto date in all the applications. Could some help me to understand the strange behavior ?

 

Hardware Utilization Data

 

 

 

  

Host


  

  

Operating
   System


  

  

Performance
   Data


  

 

vasapSIDa01


 

 

AIX 7.1


 

 

OK


 

 

vasapSIDa02


 

 

AIX 7.1


 

 

--


 

 

vasapSIDa03


 

 

AIX 7.1


 

 

OK


 

 

vasapSIDa04


 

 

AIX 7.1


 

 

OK


 

 

vasapSIDascs


 

 

AIX 7.1


 

 

OK


 

 

vasapSIDd01


 

 

AIX 7.1


 

 

--


 

 

vasapSIDd02


 

 

AIX 7.1


 

 

--


 

 

 

  

Hardware capacity checks could not be run successfully due to missing
data. See SAP Note 1309499

 

 

Regard

Sudhakar


MMNL Issue

$
0
0

Hi Guys,

 

We have this chronic issue of "db hang" on our production database.

It all starts with MMNL running and performing "db file sequential read", which in turn,makes background jobs, check db to hang.

 

And, within no time, a situation arrives where our production system can be considered dead.

 

 

Workaround:

The moment we kill MMNL process from O.S level, things get back to normal.

 

I am trying to find a permanent fix to this problem but falling short of ideas.

 

Please suggest on how to troubleshoot.

 

Thanks and Regards,
Ankit Mishra

system went down unexpected during patching

$
0
0

Hello All,

 

System went down unexpected during patching . now SAP is running but unable to login into SAP , getting syntax error .

 

I have taken Offline backup before patching .

 

Can some one provide steps to recover SAP ?

 

Thanks

Update instant client 10.2.0.4 to 11.2.0.3 HPUX

$
0
0

Hi All,

 

We would like to start using SUM (Software Update Manager 1.0 SP09) but according to the oracle additional information sap note (1843967) "Support for the Oracle db client 10.x terminated - use 11.2 instead"

 

So I have read SAP note 819829 - Oracle Instant Client Installation and Configuration on Unix version 71, but am little confused as to where the instant client should go. It seems to contradict itself by first saying 11.2.0.x /oracle/client/11x_<wordsize>/instantclient_<rel> with a symbolic link to instantclient

Then it gives the example /oracle/client/10x_64/instantclient -> instantclient_11203

 

Then in the section Perform the following steps for manually installing a new version of the Oracle Instant Client:

For 11.2.0.x

mkdir -p /oracle/client/11x_64 (if it doesn't exist already)

cd /oracle/client/11x_64

SAPCAR -xvf OCL11264.SAR

ln -s instantclient_11203 instantclient

 

So what is it I am supposed to do if I am running Oracle 10.2.0.4 and currently Instant Client 10.2.0.4?

 

Thanks

Craig

Install and patch Sap Ides ehp6

$
0
0

Hello All,

 

I Had install a SAP IDES ECC 6.0 with Ehp6 on (on windows 2008 server x64). I had patch kernel on latest patch. But have problem with LMDB to calculate the latest support packages.  

 

There is  installedmanydifferentversion of themany defferent product in Ides. I havetrouble on LMDBtocalculateit correctly-There aremany differentversions ofProductInstances.

 

 

Anybody have any exprience get Ides  support packages. 

 

Thanks for any hep

oracle sap- copy restore database

$
0
0

hi

for copy system in oracle DB and windows OS.

I installed new system,

and in the end I had restore the databese to Production database.

(replace the new DB with Production DB.

now I need the process for post installation -

all the steps after restore DB IN ORACLE.

CONTROL FILE..

all the path for the new db...

 

what exactly  I need to preform for making the system work.

 

thanks

 

 

yossi

.

Viewing all 2104 articles
Browse latest View live


<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>