Space for ECC5.0 on widows/oracle

Hi,
How much space require for ECC5.0 installation on widows and oracle database. please give the solution.
Thanks,
Regards,
venkat.

Hi Venkat,
The space of ecc5 is as per given hereunder:-
ECC5 IDES = 180GB with 1GB RAM
ECC5 Non IDES = 120 GB with 1 GB Ram.
Regards,
Anil

Similar Messages

  • How to calculate the percentage of free space for a table in Oracle

    okay, I am a little confused here. I have been searching the web and looking at a lot of documents. What I basically want to find out is this, how do I calculate the difference between the number of bytes a table is using and the total bytes allocated to a table space (going that way to get percent free for a particular table). So I need a byte count of a table and total table space and the percentage difference. I have been looking at the DBA_TABLES DBA_TABLESPACES and DBA_SEGMENTS views. I have tried to calculated the space as num_rows * avg_row_len (if I am wrong, let me know). I have been trying to compare that calculation to the number in DBA_TABLESPACES and DBA_SEGMENTS. I am just looking for the total space allocated to the table space that the table sits in (seem logical right now) to make the percentage value work. Thus I want to be able to track the table as it grows as compated to the table space it sits in to see a value as it changes over time (days, weeks, etc.) each time I run this script I am working on.
    Can someone get me straight and help me to find out if I am looking in the right places. Any advice would help.
    Edward

    You can use a little modified version of dbms_space from Tom, show_space. Have a look,
    SQL> create table test222 as select * from all_objects;
    Table created.
    SQL> delete from test22 where rownum<=100;
    delete from test22 where rownum<=100
    ERROR at line 1:
    ORA-00942: table or view does not exist
    SQL> delete from test222 where rownum<=100;
    100 rows deleted.
    SQL> analyze table test222 compute statistics;
    Table analyzed.
    SQL>  create or replace procedure show_space
      2  ( p_segname in varchar2,
      3    p_owner   in varchar2 default user,
      4    p_type    in varchar2 default 'TABLE',
      5    p_partition in varchar2 default NULL )
      6  -- this procedure uses authid current user so it can query DBA_*
      7  -- views using privileges from a ROLE and so it can be installed
      8  -- once per database, instead of once per user that wanted to use it
      9  authid current_user
    10  as
    11      l_free_blks                 number;
    12      l_total_blocks              number;
    13      l_total_bytes               number;
    14      l_unused_blocks             number;
    15      l_unused_bytes              number;
    16      l_LastUsedExtFileId         number;
    17      l_LastUsedExtBlockId        number;
    18      l_LAST_USED_BLOCK           number;
    19      l_segment_space_mgmt        varchar2(255);
    20      l_unformatted_blocks number;
    21      l_unformatted_bytes number;
    22      l_fs1_blocks number; l_fs1_bytes number;
    23      l_fs2_blocks number; l_fs2_bytes number;
    24      l_fs3_blocks number; l_fs3_bytes number;
    25      l_fs4_blocks number; l_fs4_bytes number;
    26      l_full_blocks number; l_full_bytes number;
    27
    28      -- inline procedure to print out numbers nicely formatted
    29      -- with a simple label
    30      procedure p( p_label in varchar2, p_num in number )
    31      is
    32      begin
    33          dbms_output.put_line( rpad(p_label,40,'.') ||
    34                                to_char(p_num,'999,999,999,999') );
    35      end;
    36  begin
    37     -- this query is executed dynamically in order to allow this procedure
    38     -- to be created by a user who has access to DBA_SEGMENTS/TABLESPACES
    39     -- via a role as is customary.
    40     -- NOTE: at runtime, the invoker MUST have access to these two
    41     -- views!
    42     -- this query determines if the object is a ASSM object or not
    43     begin
    44        execute immediate
    45            'select ts.segment_space_management
    46               from dba_segments seg, dba_tablespaces ts
    47              where seg.segment_name      = :p_segname
    48                and (:p_partition is null or
    49                    seg.partition_name = :p_partition)
    50                and seg.owner = :p_owner
    51                and seg.tablespace_name = ts.tablespace_name'
    52               into l_segment_space_mgmt
    53              using p_segname, p_partition, p_partition, p_owner;
    54     exception
    55         when too_many_rows then
    56            dbms_output.put_line
    57            ( 'This must be a partitioned table, use p_partition => ');
    58            return;
    59     end;
    60
    61
    62     -- if the object is in an ASSM tablespace, we must use this API
    63     -- call to get space information, else we use the FREE_BLOCKS
    64     -- API for the user managed segments
    65     if l_segment_space_mgmt = 'AUTO'
    66     then
    67       dbms_space.space_usage
    68       ( p_owner, p_segname, p_type, l_unformatted_blocks,
    69         l_unformatted_bytes, l_fs1_blocks, l_fs1_bytes,
    70         l_fs2_blocks, l_fs2_bytes, l_fs3_blocks, l_fs3_bytes,
    71         l_fs4_blocks, l_fs4_bytes, l_full_blocks, l_full_bytes, p_partition);
    72
    73       p( 'Unformatted Blocks ', l_unformatted_blocks );
    74       p( 'FS1 Blocks (0-25)  ', l_fs1_blocks );
    75       p( 'FS2 Blocks (25-50) ', l_fs2_blocks );
    76       p( 'FS3 Blocks (50-75) ', l_fs3_blocks );
    77       p( 'FS4 Blocks (75-100)', l_fs4_blocks );
    78       p( 'Full Blocks        ', l_full_blocks );
    79    else
    80       dbms_space.free_blocks(
    81         segment_owner     => p_owner,
    82         segment_name      => p_segname,
    83         segment_type      => p_type,
    84         freelist_group_id => 0,
    85         free_blks         => l_free_blks);
    86
    87       p( 'Free Blocks', l_free_blks );
    88    end if;
    89
    90    -- and then the unused space API call to get the rest of the
    91    -- information
    92    dbms_space.unused_space
    93    ( segment_owner     => p_owner,
    94      segment_name      => p_segname,
    95      segment_type      => p_type,
    96      partition_name    => p_partition,
    97      total_blocks      => l_total_blocks,
    98      total_bytes       => l_total_bytes,
    99      unused_blocks     => l_unused_blocks,
    100      unused_bytes      => l_unused_bytes,
    101      LAST_USED_EXTENT_FILE_ID => l_LastUsedExtFileId,
    102      LAST_USED_EXTENT_BLOCK_ID => l_LastUsedExtBlockId,
    103      LAST_USED_BLOCK => l_LAST_USED_BLOCK );
    104
    105      p( 'Total Blocks', l_total_blocks );
    106      p( 'Total Bytes', l_total_bytes );
    107      p( 'Total MBytes', trunc(l_total_bytes/1024/1024) );
    108      p( 'Unused Blocks', l_unused_blocks );
    109      p( 'Unused Bytes', l_unused_bytes );
    110      p( 'Last Used Ext FileId', l_LastUsedExtFileId );
    111      p( 'Last Used Ext BlockId', l_LastUsedExtBlockId );
    112      p( 'Last Used Block', l_LAST_USED_BLOCK );
    113  end;
    114
    115  /
    Procedure created.
    SQL> desc show_space
    PROCEDURE show_space
    Argument Name                  Type                    In/Out Default?
    P_SEGNAME                      VARCHAR2                IN
    P_OWNER                        VARCHAR2                IN     DEFAULT
    P_TYPE                         VARCHAR2                IN     DEFAULT
    P_PARTITION                    VARCHAR2                IN     DEFAULT
    SQL> set serveroutput on
    SQL> exec show_space('TEST222','SCOTT');
    BEGIN show_space('TEST222','SCOTT'); END;
    ERROR at line 1:
    ORA-00942: table or view does not exist
    ORA-06512: at "SCOTT.SHOW_SPACE", line 44
    ORA-06512: at line 1
    SQL> conn / as sysdba
    Connected.
    SQL> grant sysdba to scott;
    Grant succeeded.
    SQL> conn scott/tiger as sysdba
    Connected.
    SQL> exec show_space('TEST222','SCOTT');
    BEGIN show_space('TEST222','SCOTT'); END;
    ERROR at line 1:
    ORA-06550: line 1, column 7:
    PLS-00201: identifier 'SHOW_SPACE' must be declared
    ORA-06550: line 1, column 7:
    PL/SQL: Statement ignored
    SQL> exec scott.show_space('TEST222','SCOTT');
    PL/SQL procedure successfully completed.
    SQL> set serveroutput on
    SQL> exec scott.show_space('TEST222','SCOTT');
    Unformatted Blocks .....................               0
    FS1 Blocks (0-25)  .....................               0
    FS2 Blocks (25-50) .....................               1
    FS3 Blocks (50-75) .....................               0
    FS4 Blocks (75-100).....................               1
    Full Blocks        .....................             807
    Total Blocks............................             896
    Total Bytes.............................       7,340,032
    Total MBytes............................               7
    Unused Blocks...........................              65
    Unused Bytes............................         532,480
    Last Used Ext FileId....................               4
    Last Used Ext BlockId...................           1,289
    Last Used Block.........................              63
    PL/SQL procedure successfully completed.
    SQL>http://asktom.oracle.com/pls/asktom/f?p=100:11:0::::P11_QUESTION_ID:5350053031470
    I use this to find the space allocations.
    Just read your post again,this is not going to show you the percentage of the free/used space. This is going to be the number of blocks which are free/used. For the growth trend, you can look at (in 10g) Oracle EM. It has added now,Segment Growth Trend report which can show you for each object,comparing to the allocated space to the object,how much space is being used by it.
    HTH
    Aman....

  • Out of disk space for Oracle 11i with Linux as OS

    i want to add additional space for my server, currently i have (3) 36gb harddisk on raid 5 which add up to 108gb but since i am ran out of space for my data, i planned to add (1) 146gb though i can add 3 disk as i have 3 slots available, wont there be any complication if i add this as it is not the same with the current config? wont it affect my oracle application?

    In my calculation, 3 36GB Disk under RAID5 add up 72GB. You could add your extra Disk for example on the /u01 mount point (standard for 11i apps). If you want to go for performance, you should consider another Disk with the same size and use RAID1, if that's available and hard disk mirroring is a requirement.
    C.

  • Could not reserve enough space for object heap in Jdeveloper 11g R1

    Hi,
    I tried to increase the JVM heap size with Virtual machine = server and the value as -Xmx512m -XX:MaxPermSize=512M -Djbo.debugoutput=console in the project properties->Run/Debug/Profile->Default-Edit, but still getting the below error.
    Any help is appreciated.
    [waiting for the server to complete its initialization...]
    JAVA Memory arguments: -Xms256m -Xmx512m -XX:CompileThreshold=8000 -XX:PermSize=128m -XX:MaxPermSize=512m
    WLS Start Mode=Development
    CLASSPATH=D:\Oracle\MIDDLE~1\patch_wls1032\profiles\default\sys_manifest_classpath\weblogic_patch.jar;D:\Oracle\MIDDLE~1\patch_jdev1111\profiles\default\sys_manifest_classpath\weblogic_patch.jar;D:\Oracle\MIDDLE~1\JDK160~1.5-3\lib\tools.jar;D:\Oracle\MIDDLE~1\utils\config\10.3\config-launch.jar;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic_sp.jar;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic.jar;D:\Oracle\MIDDLE~1\modules\features\weblogic.server.modules_10.3.2.0.jar;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\webservices.jar;D:\Oracle\MIDDLE~1\modules\ORGAPA~1.0/lib/ant-all.jar;D:\Oracle\MIDDLE~1\modules\NETSFA~1.0_1/lib/ant-contrib.jar;D:\Oracle\MIDDLE~1\ORACLE~1\modules\oracle.jrf_11.1.1\jrf.jar;D:\Oracle\MIDDLE~1\WLSERV~1.3\common\eval\pointbase\lib\pbclient57.jar;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\xqrl.jar;d:\source\FCUBSInstaller.jar;D:\Olite10g_1\MOBILE\Sdk\bin\OLITE40.JAR;;
    PATH=D:\Oracle\MIDDLE~1\patch_wls1032\profiles\default\native;D:\Oracle\MIDDLE~1\patch_jdev1111\profiles\default\native;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\native\win\32;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\bin;D:\Oracle\MIDDLE~1\modules\ORGAPA~1.0\bin;D:\Oracle\MIDDLE~1\JDK160~1.5-3\jre\bin;D:\Oracle\MIDDLE~1\JDK160~1.5-3\bin;D:\Olite10g_1\jre\1.4.2\bin\client;D:\Olite10g_1\jre\1.4.2\bin;D:\Software\oracle\product\10.2.0\client_1\bin;C:\WINDOWS\system32;C:\WINDOWS;C:\WINDOWS\System32\Wbem;C:\Program Files\Windows Imaging\;D:\software\Clearcase 7.0\common;D:\software\Clearcase 7.0\ClearCase\bin;D:\Olite10g_1\MOBILE\sdk\bin;C:\Program Files\Liquid Technologies\Liquid XML Studio 2011\XmlDataBinder9\Redist9\cpp\win32\bin;D:\Software\Liquid Technologies\Liquid XML Studio 2011\XmlDataBinder9\Redist9\cpp\win32\bin;D:\software\oracle10g\BIN;D:\Jdev10g\jdk\bin;;D:\Oracle\MIDDLE~1\WLSERV~1.3\server\native\win\32\oci920_8
    * To start WebLogic Server, use a username and *
    * password assigned to an admin-level user. For *
    * server administration, use the WebLogic Server *
    * console at http:\\hostname:port\console *
    starting weblogic with Java version:
    java version "1.6.0_14"
    Java(TM) SE Runtime Environment (build 1.6.0_14-b08)
    Java HotSpot(TM) Client VM (build 14.0-b16, mixed mode)
    Starting WLS with line:
    D:\Oracle\MIDDLE~1\JDK160~1.5-3\bin\java -client -Xms256m -Xmx512m -XX:CompileThreshold=8000 -XX:PermSize=128m -XX:MaxPermSize=512m -Dweblogic.Name=DefaultServer -Djava.security.policy=D:\Oracle\MIDDLE~1\WLSERV~1.3\server\lib\weblogic.policy -Djavax.net.ssl.trustStore=D:\Oracle\Middleware\wlserver_10.3\server\lib\DemoTrust.jks -Xmx512m -XX:MaxPermSize=512M -Djbo.debugoutput=console -Dweblogic.nodemanager.ServiceEnabled=true -Xverify:none -da -Dplatform.home=D:\Oracle\MIDDLE~1\WLSERV~1.3 -Dwls.home=D:\Oracle\MIDDLE~1\WLSERV~1.3\server -Dweblogic.home=D:\Oracle\MIDDLE~1\WLSERV~1.3\server -Djps.app.credential.overwrite.allowed=true -Ddomain.home=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1 -Dcommon.components.home=D:\Oracle\MIDDLE~1\ORACLE~1 -Djrf.version=11.1.1 -Dorg.apache.commons.logging.Log=org.apache.commons.logging.impl.Jdk14Logger -Djrockit.optfile=D:\Oracle\MIDDLE~1\ORACLE~1\modules\oracle.jrf_11.1.1\jrocket_optfile.txt -Doracle.domain.config.dir=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\config\FMWCON~1 -Doracle.server.config.dir=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\config\FMWCON~1\servers\DefaultServer -Doracle.security.jps.config=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\config\fmwconfig\jps-config.xml -Djava.protocol.handler.pkgs=oracle.mds.net.protocol -Digf.arisidbeans.carmlloc=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\config\FMWCON~1\carml -Digf.arisidstack.home=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\config\FMWCON~1\arisidprovider -Dweblogic.alternateTypesDirectory=D:\software\oracle\product\10.2.0\client_1\modules\oracle.ossoiap_11.1.1,D:\software\oracle\product\10.2.0\client_1\modules\oracle.oamprovider_11.1.1 -Dweblogic.jdbc.remoteEnabled=false -Dwsm.repository.path=C:\DOCUME~1\ANURAD~1\APPLIC~1\JDEVEL~1\SYSTEM~1.36\DEFAUL~1\oracle\store\gmds -Xms512m -Xmx512m -Dweblogic.management.discover=true -Dwlw.iterativeDev= -Dwlw.testConsole= -Dwlw.logErrorsToConsole= -Dweblogic.ext.dirs=D:\Oracle\MIDDLE~1\patch_wls1032\profiles\default\sysext_manifest_classpath;D:\Oracle\MIDDLE~1\patch_jdev1111\profiles\default\sysext_manifest_classpath weblogic.Server
    Error occurred during initialization of VM
    Could not reserve enough space for object heap
    Process exited.

    This is telling you that there is not enough memory for the heap size you've specified. Increasing the heap size makes this worse, not better. You need more physical memory.
    john

  • Priority for Automatic Proccesses in Oracle BPM 10.3

    Hi,
    I'm completely new to the BPM space, and I was just transferred to a team that's using Oracle BPM 10.3, so my apologies if this is a trivial question.
    Does anyone know how to implement priority for automatic activities in Oracle BPM 10.3? Basically, I want high priority instances to be processed before low priority ones.
    I tried kicking off several instances in a loop with the "priority" variable set to different values, with an automatic activity that would log the instance and its priority, and the begin state limiting the process to a single concurrent instance at a time. It did not look like these instance were processed in priority order.
    Thanks!

    The priority predefined variable is an integer that goes from 1 to 5. The visible corresponding values for these integer values when shown to the end user in the WorkSpace run from "Lowest" (1) to "Highest" (5).
    You typically use priority in a view or filter for the Workspace. You'd set the priority column in the WorkSpace to be sorted descending so that the higher the priority, the closer it is to the top of the end user's queue.
    Unless your view or filter is set to show all activity types currently in the process, the only work item instances shown in the WorkSpace are Interactive activities . The benefit to setting a priority to work item instances is that the end users are encouraged to work the interactive work item instances from the top of the list down.
    Bottom line is that the priority predefined variable helps end users sort / prioritize their work, but does not cause the engine to sort the work it has to do with work item instances running in Automatic activities.
    If you have a batch fully automatic process that takes a while to run, I could see a use case where you might want to sort the list of incoming work item instances. If it's a typical process with a mix of automatic and interactive activities, automatic actiivities take a much smaller percentage of time than the interactives do. Work item instances running inside automatic activities normally don't take much time and the need for prioritization doesn't come up. What's your use case where you need to prioritize them?
    Dan

  • ORA-1653: unable to extend table - but enough space for datafile

    We encountered this problem in one of our database Oracle Database 10g Release 10.2.0.4.0
    We have all datafiles in all tablespaces specified with MAXSIZE and AUTOEXTEND ON. But last week database could not extend table size
    Wed Dec  8 18:25:04 2013
    ORA-1653: unable to extend table PCS.T0102 by 128 in                 tablespace PCS_DATA
    ORA-1653: unable to extend table PCS.T0102 by 8192 in                tablespace PCS_DATA
    Wed Dec  8 18:25:04 2013
    ORA-1653: unable to extend table PCS.T0102 by 128 in                 tablespace PCS_DATA
    ORA-1653: unable to extend table PCS.T0102 by 8192 in                tablespace PCS_DATA
    Wed Dec  8 18:25:04 2013
    ORA-1653: unable to extend table PCS.T0102 by 128 in                 tablespace PCS_DATA
    ORA-1653: unable to extend table PCS.T0102 by 8192 in                tablespace PCS_DATA
    Datafile was created as ... DATAFILE '/u01/oradata/PCSDB/PCS_DATA01.DBF' AUTOEXTEND ON  NEXT 50M MAXSIZE 31744M
    Datafile PCS_DATA01.DBF had only 1GB size. Maximum size is 31GB but database did not want to extend this datafile.
    We used temporary solution and we added new datafile to same tablespace. After that database and our application started to work correctly.
    There is enough free space for database datafiles.
    Do you have some ideas where could be our problem and what should we check?
    Thanks

    ShivendraNarainNirala wrote:
    Hi ,
    Here i am sharing one example.
    SQL> select owner,table_name,blocks,num_rows,avg_row_len,round(((blocks*8/1024)),2)||'MB' "TOTAL_SIZE",
      2   round((num_rows*avg_row_len/1024/1024),2)||'Mb' "ACTUAL_SIZE",
      3   round(((blocks*8/1024)-(num_rows*avg_row_len/1024/1024)),2) ||'MB' "FRAGMENTED_SPACE"
      4   from dba_tables where owner in('DWH_SCHEMA1','RM_SCHEMA_DDB','RM_SCHEMA') and round(((blocks*8/1024)-(num_rows*avg_row_len/1024/1024)),2) > 10 ORDER BY FRAGMENTED_SPACE;
    OWNER           TABLE_NAME                        BLOCKS   NUM_ROWS AVG_ROW_LEN TOTAL_SIZE           ACTUAL_SIZE          FRAGMENTED_SPACE
    DWH_SCHEMA1     FP_DATA_WLS                        14950     168507          25 116.8MB              4.02Mb               112.78MB
    SQL> select tablespace_name from dba_segments where segment_name='FP_DATA_WLS' and owner='DWH_SCHEMA1';
    TABLESPACE_NAME
    DWH_TX_DWH_DATA
    SELECT /* + RULE */  df.tablespace_name "Tablespace",
           df.bytes / (1024 * 1024) "Size (MB)",
           SUM(fs.bytes) / (1024 * 1024) "Free (MB)",
           Nvl(Round(SUM(fs.bytes) * 100 / df.bytes),1) "% Free",
           Round((df.bytes - SUM(fs.bytes)) * 100 / df.bytes) "% Used"
      FROM dba_free_space fs,
           (SELECT tablespace_name,SUM(bytes) bytes
              FROM dba_data_files
             GROUP BY tablespace_name) df
    WHERE fs.tablespace_name   = df.tablespace_name
    GROUP BY df.tablespace_name,df.bytes
    UNION ALL
    SELECT /* + RULE */ df.tablespace_name tspace,
           fs.bytes / (1024 * 1024),
           SUM(df.bytes_free) / (1024 * 1024),
           Nvl(Round((SUM(fs.bytes) - df.bytes_used) * 100 / fs.bytes), 1),
           Round((SUM(fs.bytes) - df.bytes_free) * 100 / fs.bytes)
      FROM dba_temp_files fs,
           (SELECT tablespace_name,bytes_free,bytes_used
              FROM v$temp_space_header
             GROUP BY tablespace_name,bytes_free,bytes_used) df
    WHERE fs.tablespace_name   = df.tablespace_name
    GROUP BY df.tablespace_name,fs.bytes,df.bytes_free,df.bytes_used
    ORDER BY 4 DESC;
    set lines 1000
    col FILE_NAME format a60
    SELECT SUBSTR (df.NAME, 1, 60) file_name, df.bytes / 1024 / 1024 allocated_mb,
    ((df.bytes / 1024 / 1024) - NVL (SUM (dfs.bytes) / 1024 / 1024, 0))
    used_mb,
    NVL (SUM (dfs.bytes) / 1024 / 1024, 0) free_space_mb
    FROM v$datafile df, dba_free_space dfs
    WHERE df.file# = dfs.file_id(+)
    GROUP BY dfs.file_id, df.NAME, df.file#, df.bytes
    ORDER BY file_name;
    Tablespace                      Size (MB)  Free (MB)     % Free     % Used
    DWH_TX_DWH_DATA                     11456       8298         72         28
    FILE_NAME                                                    ALLOCATED_MB    USED_MB FREE_SPACE_MB
    /data1/FPDIAV1B/dwh_tx_dwh_data1.dbf                                 1216       1216             0
    /data1/FPDIAV1B/dwh_tx_dwh_data2.dbf                                10240       1942          8298
    SQL> alter database datafile '/data1/FPDIAV1B/dwh_tx_dwh_data2.dbf' resize 5G;
    alter database datafile '/data1/FPDIAV1B/dwh_tx_dwh_data2.dbf' resize 5G
    ERROR at line 1:
    ORA-03297: file contains used data beyond requested RESIZE value
    Although , we did moved the tables into another TB , but it doesn't resolve the problem unless we take export and drop the tablespace aand again import it .We also used space adviser but in vain .
    As far as metrics and measurement is concerned , as per my experience its based on blocks which is sparse in nature related to HWM in the tablespace.
    when it comes to partitions , just to remove fragmentation by moving their partitions doesn't help  .
    Apart from that much has been written about it by Oracle Guru like you .
    warm regards
    Shivendra Narain Nirala
    how does free space differ from fragmented space?
    is all free space considered by you to be fragmented?
    "num_rows*avg_row_len" provides useful result only if statistics are current & accurate.

  • ECC5 Installation with Oracle 10.2.0.2.0

    Dear Experts,
    We want to do a Heterogenous Sytem Copy from our ECC5 system landscape on HP-Unix, Oracle 10.2.0.2.0 to win2003 (64 bit), Oracle 10.2.0.2.0.  Oracle version needs to be exactly same after migration as under this version our Production system will run for some time before we upgrade to ECC6 & Oracle 11G on Windows 2008.
    The PAM says that ECC5 is supported with Oracle 10.2.0.2.0, though not sure if it's supported as a direct Installation to 10.2 or only as a Installation to Oracle 9.2 & followed by a upgrade to Oracle 10.2.  The migration media for ECC5 that we have recieved from SAP comes with Oracle 9.2, so wanted to check if a direct Installation of ECC5 on Oracle 10.2.0.2.0 is supported?. If yes is this Oracle Installation DVD for 10.2.0.2.0 downloadable from SMP?.
    Thanks
    Abhishek

    > We want to do a Heterogenous Sytem Copy from our ECC5 system landscape on HP-Unix, Oracle 10.2.0.2.0 to win2003 (64 bit), Oracle 10.2.0.2.0.
    Are you aware that you must have a certified migration consultant on-site to do the migration? see http://service.sap.com/osdbmigration --> FAQ
    > The PAM says that ECC5 is supported with Oracle 10.2.0.2.0, though not sure if it's supported as a direct Installation to 10.2 or only as a Installation to Oracle 9.2 & followed by a upgrade to Oracle 10.2.  The migration media for ECC5 that we have recieved from SAP comes with Oracle 9.2, so wanted to check if a direct Installation of ECC5 on Oracle 10.2.0.2.0 is supported?. If yes is this Oracle Installation DVD for 10.2.0.2.0 downloadable from SMP?.
    What you need is not an ECC5 installation media but a new netweaver 2004 media containing the support for Oracle 10g, you'll have to do an R3load migration, backup/restore will not work (different endianess source vs. target).
    Markus

  • Forum space for testing

    Would it be difficult to have a forum space for testing? There are new features and I would like to evaluate, for instance, replying by e-mail or creating documents. I prefer not to create a test message since it will appear in the Dashboard activity, and I would rather not want to experiment replying to someones thread.

    moniquevdb-Oracle
    There's at least 3 forums which may fall under that category. Not sure they are readable for non-mod users though.
    [PRIVATE] Test 06/09/05
    The specified item was not found.
    The specified item was not found.
    Nicolas.

  • Increase  Free disk space for "rac1:/tmp"

    Hello All,
    I am trying to install Oracle 11gR2 RAC on Linux 5.5 32 bit.
    when i run to check the prerequisite steps i am getting the below error:
    Check: Free disk space for "rac2:/tmp"
      Path              Node Name     Mount point   Available     Required      Comment    
      /tmp              rac2          /             486MB         1GB           failed     
    Result: Free disk space check failed for "rac2:/tmp"
    Check: Free disk space for "rac1:/tmp"
      Path              Node Name     Mount point   Available     Required      Comment    
      /tmp              rac1          /             470.89MB      1GB           failed please can you help to increase the /tmp to 1 GB.
    Regards,

    NB wrote:
    Hello All,
    I am trying to install Oracle 11gR2 RAC on Linux 5.5 32 bit.
    when i run to check the prerequisite steps i am getting the below error:
    Check: Free disk space for "rac2:/tmp"
    Path              Node Name     Mount point   Available     Required      Comment    
    /tmp              rac2          /             486MB         1GB           failed     
    Result: Free disk space check failed for "rac2:/tmp"
    Check: Free disk space for "rac1:/tmp"
    Path              Node Name     Mount point   Available     Required      Comment    
    /tmp              rac1          /             470.89MB      1GB           failed please can you help to increase the /tmp to 1 GB.
    Regards,Set different directory for TMP and TMPDIR environment variables:
    TMP=/tmp_directory; export TMP
    TMPDIR=$TMP; export TMPDIR

  • Segment space for Manual tablespace management

    Hi,
    wanted to know if 10g segment advisor can advise on segments that exsists in a tablespaces that is set to manual extent management.
    thanks,
    Ven.

    From the
    Oracle® Database Administrator's Guide
    10g Release 2 (10.2)
    Part Number B14231-01
    14 Managing Space for Schema Objects
    Understanding Reclaimable Unused Space
    You use the Segment Advisor to identify segments that would benefit from online segment shrink. Only segments in locally managed tablespaces with automatic segment space management (ASSM) are eligible. Other restrictions on segment type exist. For more information, see "Shrinking Database Segments Online".

  • We have plan to windows 2008 server ECC5(is reatil) oracle 10G.

    Dear all
    Presently we are using winwos 2003 server enter prize edition ,ECC5(is
    retails), oracle 9.2.0.7.
    we have plan to windows 2008 server ECC5(is reatil) oracle 10G.
    Is windows 2008 suported to the ECC5 (is-Reatail) and oracle 10G .
    if supported please advise windows 2003 server is better or windos 2008 server  better .
    Thanks
    Edited by: Venkat Ramesh on Aug 18, 2008 9:47 AM

    ECC 5 is based on kernel 6.40 which is not (yet) released for Windows 2008.
    See also note 1054740 - SAP System Installation on Windows Server 2008
    I would recommend installing on Windows 2003 and later upgrade your system to Windows 2008 when kernel 6.40 is available.
    Markus

  • Configuring Filesystem Free Disks for ASM ? Can you use free space for ASM

    Is there a way to dedicate the available disk space for ASM in order to create a database under ASM?
    I was hoping that I would not have to reinstall the Linux OS Enterprise 5 (Red Hat). So I de-installed my 2-node RAC environment, installed the ASM required RPMs for Red Hat linux Enterperise 5 and then proceeded to reinstall 11g Clusterware and set "Configure Automatic Storage Management (ASM)".
    Did I miss something? THanks

    Thank you.
    I have 3 VM-Oracle guests running Oracle 11g. When I've used NFS as share that worked fine, however I was not using ASM. I know wish to get smart about ASM implementation.
    Server1(rac1) Linux E5 64bit
    Server2(rac2) Linux E5 64bit
    Server3(asm) Linux E5 64bit (I created four partitions
    ./oracleasm createdisk DATDISK /dev/xvda10 OK
    ./oracleasm createdisk VOTDISK /dev/xvda11 OK
    ./oracleasm createdisk OCRDISK /dev/xvda12 OK
    ./oracleasm createdisk OFRDISK /dev/xvda13 OK
    On Node1 and Node 2
    ./oracleasm scandisk
    Scanning the system for Oracle ASMLib disks: OK
    After this should I or how do you make a partition shared? Could I used NFS? so that I can proceed with the RAC install and then create database .

  • Disk space for additional instance

    As stated, in a Linus server, I have install Oracle 8i Enterprise Edition Release 8.1.6 with an application DB running on it.
    Now I'd like to create a new database for another application.
    Anyone know the minimum disk space requirement for an additional DB?
    What is the step to create a new database in existing Oracle server?
    Can I find any reference in the site?
    Thanks for help.

    You can specify some of the tablespace and I think temp space for an ASO cube by right clicking on the application in EAS and selecting edit properties. In there you can change the disk

  • Unable to Extend TEMP space for CLOB

    Hi,
    I have a data extract process and I am writing the data to a CLOB variable. I'm getting the error "Unable to Extend TEMP space" for the larger extracts. I was wondering if writing the data to a CLOB column on a table and then regularly committing would be better than using a CLOB variable assuming time taken is not an issue.

    You do not need to add more temp files. This is not a problem of your temp tablespace. This is the problem of temp segments in your permanent tablespace. You need to add another datafile in EDWSTGDATA00 tablepsace. This happens when you are trying to create tables and indexes. Oracle first does the processing in temp segments(not temp tablespace) and at the end oracle converted those temp segments into permanent segments.
    Also, post the result of below query
    select file_name,sum(bytes/1024/1024)in_MB,autoextensible,sum(maxbytes/1024/1024)in_MB from dba_data_files where tablespace_name='STAGING_TEST' group by file_name,autoextensible order by FILE_NAME;

  • Software Update Server - Deleting old updates to make space for new ones

    On Page 77 of the SystemImage_and_SW_Updatev10.4.pdf Apple recommends "deleting old updates to make space for new ones". I've looked and searched and yet to find a way to do this. The Server Admin interface and the command line options I've looked into don't appear to provide this option.
    So I actually tried stopping the server, moving the updates from /usr/share/swupd/html to another location, starting the server, the server wouldn't start, moving the files back again, the server still won't start.
    1. Does anyone know how you're supposed to "Delete old updates to make space for new ones"
    2. Does anyone have any suggestions as to how to get Software Update service running again?
    Power Mac G5   Mac OS X (10.4.7)  

    Does this article contain anything useful?
    (16738)

Maybe you are looking for