Tool for keep information performance db

Hi all,
Is there any tool for keep information about performance of db?because i want to keep any information such as space,buffer cache,log ,sga etc. and after i will take this value into grap for my manager (dayly,weekly,monthly).or Is there any way to do it?
thks for advance
Chara

As others suggested, I would also recommend you to schedule statspack every15min or 30min, so that you can comapre the performance as well take the statspack report for analysis.
Jaffar

Similar Messages

  • Tools for measuring BDB performance

    Hi all,
    Are there any tools available for benchmarking the performance of BDB ?
    Also how to use the test suite available with BDB distribution ?
    Thanks,
    david.

    Hello,
    MVCC alleviates reader/writer contention at the cost of additional memory.
    When MVCC is not used, readers trying to read data on page X might block for a writer modifying content on page X. With MVCC, the readers will not block. The fact that readers are not blocked will result in better performance (throughput and/or response time).
    So, your test should have some "hot spots" which would create this contention. You should have transaction mix of readers and writers. Without MVCC, you'll see that readers block (resulting in lower throughput). With MVCC, you should see that readers continue, thus getting more transactions per second.
    As long as the rows that you store in Berkeley DB are smaller than a page size, my opinion is the row size doesn't matter (Berkeley DB does page level locking).
    As mentioned above, memory requirements for MVCC are higher, so to get the additional performance benefit, the 4.6.21 run will probably need a bigger cache.
    That's the general answer.
    This is an interesting exercise. Good luck!
    Warm regards.
    ashok

  • Plain Explain  and s methods (tools) for  to improve Performance

    Hi
    How can I do to use Plain Explain and others methods for to impove performance ?
    Where can I to find tutorial about it ?
    thank you in advance

    Hi
    How can I do to use Plain Explain and others
    methods for to impove performance ?
    Internally there are potentially several hundred 'procedures' that can be assembled in different ways to access data. For example, when getting one row from a table, you could use an index or a full table scan.
    Explain Plan shows the [proposed] access path, or complete list of the procedures, in the order called, to do what the SQL statement is requesting.
    The objective with Explain Plan is to review the proposed access path and determine whether alternates, through the use of hints or statistics or indexes or materialized views, might be 'better'.
    You often use Wait analysis, through StatsPack, AWR/ADDM, TKProf, Trace, etc. to determine which SQL statement is likely causing a performance issue.
    >
    Where can I to find tutorial about it ?Ah ... the $64K question. If we only knew ...
    There are so many variables involved, that most tutorials are nearly useless. The common approach therefore is to read - a lot. And build up your own 'interpretation' of the reading.
    Personal suggestion is to read (in order)
    1) Oracle's Database Concepts manual (described some of 'how' this is happening)
    2) Oracle's Performance Tuning manual (describes more of 'how' as related to performance and also describes some of the approaches)
    3) Tom Kyte's latest book (has a lot of demos and 'proofs' about how specific things work)
    4) Don Burleson's Statspack book (shows how to set up and do some basic interpretation)
    5) Jonathan's book (how the optimizer works - tough reading, though)
    6_ any book by the Oak Table (http://oaktable.net)
    Beyond that is any book that contains the words 'Oracle' and 'Performance' in the title or description. BUT ... when reading, use truck-loads, not just grains, of salt.
    Verify everything. I have seen an incredible amount of mistakes ... make 'em mysellf all the time, so I tend to recognize them when I see them. Believe nothing unless you have proven it for yourself.. Even then, realize there are exceptions and boundary conditions and ibgs and patches and statistics and CPU and memory and disk speed issues that will change ehat you have proven.
    It's not hopeless. But it is a lot of work and effort. And well rewarded, if you decide to get serious.

  • Python tool for keeping track of strings

    I wrote this just now. It associates keys to strings; basically a centralized means of storing values.
    #!/usr/bin/env python
    from cPickle import load, dump
    from sys import argv
    from os.path import expanduser
    strings_file = expanduser('~/lib/cfg-strings')
    try:
    with open(strings_file) as f:
    strings = load(f)
    except:
    strings = {}
    if len(argv) < 2:
    print('''usage:
    {0} dump
    {0} get <key>
    {0} del <key>
    {0} set <key> <val>'''.format(argv[0]))
    elif len(argv) == 2:
    if argv[1] == 'dump':
    for k in strings.keys(): print(k + ': ' + strings[k])
    elif len(argv) == 3:
    if argv[1] == 'get':
    if argv[2] in strings.keys():
    print(strings[argv[2]])
    elif argv[1] == 'del':
    if argv[2] in strings.keys():
    del(strings[argv[2]])
    elif len(argv) == 4:
    if argv[1] == 'set':
    strings[argv[2]] = argv[3]
    with open(strings_file, 'w') as f:
    dump(strings, f)
    Replace '~/lib/cfg-strings' with your preferred destination for the pickle file.
    As an example, I have this at the end of my .xinitrc:
    exec $(cfg get wm)
    so all I have to do is type "cfg set wm ..." to change my window manager. Note that on my system, the script is named 'cfg', so you'll want to change that depending on what you call it.
    To be honest, though, I think everyone has written something like this at least once.
    Last edited by Peasantoid (2010-01-18 01:29:14)

    Nice idea Peasantoid! I have wanted something similar for myself for a while now however wasn't exactly sure how best to do this. Here's my version. It is based on yours though as I prefer plain text for the settings file so I used JSON.
    #!/usr/bin/python
    import json
    import os.path
    import sys
    SETTINGS_FILE = os.path.expanduser('~/configs/settings.json')
    def dump(s):
    print json.dumps(s, sort_keys = True, indent=2)
    def get(s, key):
    if s.has_key(key):
    print s[key]
    def set(s, key, val):
    s[key] = val
    save(s)
    def delete(s, key):
    if s.has_key(key):
    del s[key]
    save(s)
    def save(s):
    json.dump(s, open(SETTINGS_FILE, 'w'))
    def usage():
    str = [
    "usage: %s dump (default)",
    " %s get <key>",
    " %s set <key> <val>",
    " %s delete <key>"
    for x in str:
    print x % sys.argv[0]
    def main():
    try:
    settings = json.load(open(SETTINGS_FILE))
    except:
    settings = {}
    a = sys.argv
    n = len(a)
    if n == 1 or (n == 2 and a[1] == 'dump'):
    dump(settings)
    elif n == 3 and a[1] == 'get':
    get(settings, a[2])
    elif n == 3 and a[1] == 'delete':
    delete(settings, a[2])
    elif n == 4 and a[1] == 'set':
    set(settings, a[2], a[3])
    else:
    usage()
    if __name__ == "__main__":
    main()

  • Is Bridge a good tool for keeping files in multiple environments?

    Is Bridge capable of being a good digital assets manager?  For example, we have a "public to the company internally", "public externally" and "private to marketing" main categories we work with in regards to our images.  I have a pretty good idea of using Bridge for meta data (category, keyword, etc), but what's the best way to use it for master image management and web sharing hi-res images?
    Thanks
    Jason

    Bridge is not really designed for being a digital assest manager for multiple users.  In addition use of Bridge on a network can be problematic.  So it will work, but may not be best fit.
    Since time is money you might look into a DAM product and see if it might work better.

  • Oracle 10g tools for performance/troubleshooting

    Hi
    I want to find some tools for moniting the performance and troublesooting. Any suggest? OEM tuning pack, statspack...etc
    Thanks

    Different tools for different troubles. What trouble are you trying to shoot?
    For general information, try the Performance Tuning guide.

  • Are there any performance benchmark tools for Flash?

    I am looking to benchmark Flash on various computers that I use.  I was surprised that the performance of Adobe Flash on my Intel i5 computer running Windows 7 Pro 64-bit OS and IE 10 was MUCH WORSE than running on a Windows 7 Pro 32-bit on an Intel i3 computer running the same browser. 
    I have tried running both 32-bit IE and 64-bit IE and get the same general bad performance on the 64-bit Windows OS. I would like to find a tool to benchmark these various computers so that I can establish baseline performance while I explore finding a fix Adobe Flash on a 64-bit OS.
    Can someone suggest some tools for Flash performance benchmarking? Thank you.

    The best advise we can really give you is that both companies offer free trials and you should download them both and see which works best for you.  I own Parallels Desktop v6, and VMWare Fusion v3.  For me, VMWare s better for some things, but Parallels is better for most.  Depending on what you do and how you use your applications your milage may vary.
    One other note to keep in mind.  Since Apple is looking to release a new OS version in the very near future, you might want to hold-off a bit on our vitualization choice just yet.  I would exect that both companies will be working on a new release for support/compatibilty of the new MacOS, so you might want to wait to see if there are any other changes that make you want to lean towards one or the other...

  • Every time i go on w website, several other web address keep opening. I get pages for related information and also a lot of pages to download things.

    Every time I go on to a different website, several other web address keep opening. I get pages that open up are for related information and also a lot of pages for downloads, including ones to update Firefox.. (Sometimes it even tells me I've downloaded something, and it ask me if I want to save the file or run it. )
    Ps.Please also send me the address to update Firefox.
    Your help will be so much appreciated!
    Anne

    Hello,
    FIrst scan your computer, this pages can be malwares, addons, etc:
    *[https://support.mozilla.org/en-US/kb/troubleshoot-firefox-issues-caused-malware Problems caused by malwares]
    Verify if this happens in safe mode:
    *[https://support.mozilla.org/en-US/kb/troubleshoot-firefox-issues-using-safe-mode Firefox in safe mode]
    You also can use addon to block popup/ads pages:
    *[https://addons.mozilla.org/en-US/firefox/addon/simple-adblock Simple Adblock]
    *[https://addons.mozilla.org/en-US/firefox/addon/adblock-plus Adblock Plus]
    *[https://addons.mozilla.org/en-US/firefox/addon/adblock-plus-pop-up-addon Adblock Plus Pop-up Addon]
    *[https://addons.mozilla.org/en-US/firefox/search/?q=adblock More Results]
    Upgrade Firefox only from oficial page:
    *[http://www.mozilla.org/en-US/firefox/new/ Last Firefox]

  • Any suggession on Tools for Performance testing of application designed for Blackberry phones.. which can get some details on CPU usage, memory, response time?? any help on the same is much appriciated.

    Hi Team,
    Any suggession on Tools for Performance testing of application designed for Blackberry phones.. which can get some details on CPU usage, memory, response time?? any help on the same is much appriciated.
    Thank You,
    Best Regards,
    neeraj

    Hi Team,
    Any suggession on Tools for Performance testing of application designed for Blackberry phones.. which can get some details on CPU usage, memory, response time?? any help on the same is much appriciated.
    Thank You,
    Best Regards,
    neeraj

  • I am trying to hook up my Airport Express to my current network and AirPort Extreme but keep getting the same error message: "This version of AirPort Utility doesn't support this base station. Go to AirPort Service and Support for more information."

    I am trying to hook up my Airport Express to my current network and AirPort Extreme but keep getting the same error message: "This version of AirPort Utility doesn’t support this base station. Go to AirPort Service and Support for more information." Any thoughts?

    This sounds as if you have an older AirPort Express that is no longer supported by the newer Mavericks operating system.
    To check and see if  that might be the case, locate the model number on the side of the AirPort Express. It will start with an "A" followed by four numbers. Hard to see in the faint print.....so you may need reading glasses or a magnifying class to see the model number clearly.
    Model numbers A1084 and A1088 of the AirPort Express are no longer supported by AirPort Utility in Mavericks.
    You will need to use a Mac running Leopard, Snow Leopard, or a PC to be able to administer the older AirPort Express.

  • Monitoring tool for performance focused for Ebusiness.

    Hi partners,
    We are going to evaluate some "monitoring" performance tools for an Ebusiness environment, so I would like to know if you can give any recommendations about any tool focused for Ebusiness environment.
    Any advice will be really appreciated.
    Thanks in advance.
    Francisco Mtz.

    &#20108;&#12289;     The following includes SGAgent for Oracle E-Business Suite Enterprise Edition monitor KPIs click here &#12290;
    1.     SGAgent can monitor all KPIs those Oracle standard edition includes&#65307;
    2.     SGAgent can monitor more Oracle Instances &#12289;more type database(Like DB2 MS SQL Server Sybase)&#12289;more Oracle E-Business Suite Instances at the same time and the same screen&#65307;
    3.     Oracle EBS Patch Monitor&#65288;KPI&#65306;Username&#12289;Patch Name&#12289;Patch type&#12289;language&#12289;Patch created date&#12289;last updated date&#65289;&#65307;
    4.     Oracle EBS Profile Parameters monitor&#65288;KPI&#65306;Application username who updated the profile last&#12289;Last updated date&#12289;Application name&#12289;Profile Parameter name&#12289;Profile Parameter description&#12289;Language&#12289;Profile Value&#12289;Level ID&#12289;SQL Validation&#12289;Hierarchy type&#12289;Write allowed flag&#12289;Read allowed flag&#12289;last update by userid&#65289;&#65307;
    5.     Oracle EBS Application users login monitor&#65288;KPI&#65306;Login ID&#12289;Oracle application login username&#12289;Login user description&#12289;Application users email address&#12289;Login start time&#12289;Login End time&#12289;login type&#12289;Operation system Session ID&#65289;&#65307;Operation: Can kill user directly&#12290;
    6.     Oracle EBS Application users Activity&#65288;KPI&#65306;Program ID&#12289;Program type&#65288;Forms or Concurrent Programs&#65289;&#12289;Program name&#12289;Running Program Username&#12289;user description&#12289;Program start time&#12289;Program end time&#12289;cost time (Second)&#12289;Application User Email Address&#65289;&#65307; Operation:Kill the running program&#65288;e.g. Forms ,Concurrent Programs, Concurrent Requests&#65289;&#12290;
    7.     Oracle EBS Discoverer Reports Top 10 running times per month&#65288;KPI&#65306;Instance name&#12289;month&#12289;Discoverer Report Name&#12289;Running times&#65289;;
    8.     Oracle EBS Discoverer Reports Activity &#65288;KPI&#65306;SID&#65292;Serial#&#12289;Execute times&#12289;Oracle username&#12289;machine&#12289;os username&#12289;Program type&#12289;SQL&#12289;CPU Time &#12289;PGA-ALLOCATED&#12289;PGA USED&#12289;PGA Freeable&#65289;&#65307; Operation&#65306;kill the running Discoverer Reports directly&#12290;
    9.     Online realtime Suport&#65306;SGAgent user can press the button in the top menu&#65292;chat with TechWiz Engineers directly using text words&#12290;
    10.     Store and analyze Historical data
    11.     Remote monitor &#65306;SGAgent can send its output by FTP to a public IP. Then the clients can monitor his organization from the web with any device that support web browsing.
    Add my MSN&#65307;[email protected]

  • Which tool is used for Oracle 11g performance tuning?

    Hi all
    I used statspack for 9i's performance tuning.
    But with 11g R2 now I want to know which way are you using to do performance tuning?
    Statspack? OSW? RDA? ADDM? Or other ways?
    Thank you.

    schavali wrote:
    I would start with Automatic Workload Repository (AWR) reports to identify the bottleneck
    MOS Doc 390374.1 - Oracle Performance Diagnostic Guide (OPDG)
    MOS Doc 748642.1 - What is AWR( Automatic workload repository ) and How to generate the AWR report?
    HTH
    SriniThanks for your answer.
    To read the MOS documents I need a Oracle Customer ID , is that right ?
    (Where to get that ID ? Our company bought Oracle 10g without any Customer IDs in it )
    Best Wishes.

  • Need information on open source testing tools for ADF web applications

    Hi experts,
    I need to investigate on new feasible open source Java testing tools for testing ADF web applications. I have tried to google a lot but getting confused.
    My requirements as as under:
    1. The tool must be open source.
    2. It should be easy to understand and to work upon by the tester and developers.
    Selenium based testing approach is already in place for testing the application but need to search for tools other than Selenium which shall prove suitable for testing ADF applications. Kindly let me know your inputs / suggestions.
    Thanks a lot in advance.
    Neelanand

    Hi,
    Have a look at JMeter http://jakarta.apache.org/jmeter/index.html
    1. The tool must be open source.It is.
    2. It should be easy to understand and to work upon by the tester and developers.I guess it is.
    There are some specifics in configuring it for ADF, but Chris Muir wrote a nice blog about how it's done, check it out http://one-size-doesnt-fit-all.blogspot.com/2010/04/configuring-apache-jmeter-specifically.html
    Pedja

  • Tool for memory keep showing on start

    Hi
    I have installed new memory, and they work fine.
    But every time I start or restart the machine. Will the window "Tools for memory space" up. It says thatthe memory modules are installed in the recommended sites. It's nice, but how do I do the windowdoes not appear every time?
    Mac pro 2x2.26 Hhx Quad-core intel xeon (2009)
    32 gb 1066 mhz ddr3
    Raid
    Osx lion

    Hello barrywdennis,
    Is this when you select a specific app, or does this occur when you power on the printer?
    In general, ensure that Web Services are enabled:
    Press the Web Services icon on the top left of the home page of the printer.
    Ensure ePrint is on, if so, print apps will be on also. 
    If I have solved your issue, please feel free to provide kudos and make sure you mark this thread as solution provided!
    Although I work for HP, my posts and replies are my own opinion and not those of HP.

  • What is a good cleanup tool for Mavericks?

    What is a good cleanup tool for Mavericks?

    Kappy's Personal Suggestions About Mac Maintenance
    For disk repairs use Disk Utility.  For situations DU cannot handle the best third-party utility is: Disk Warrior;  DW only fixes problems with the disk directory, but most disk problems are caused by directory corruption. Drive Genius provides additional tools not found in Disk Warrior for defragmentation of older drives, disk repair, disk scans, formatting, partitioning, disk copy, and benchmarking. 
    Four outstanding sources of information on Mac maintenance are:
    1. OS X Maintenance - MacAttorney.
    2. Mac maintenance Quick Assist
    3. Maintaining Mac OS X
    4. Mac Maintenance Guide
    Periodic Maintenance
    OS X performs certain maintenance functions that are scheduled to occur on a daily, weekly, or monthly period. The maintenance scripts run in the early AM only if the computer is turned on 24/7 (no sleep.) See Mac OS X- About background maintenance tasks. If you are running Leopard or later these tasks are run automatically, so there is no need to use any third-party software to force running these tasks.
    If you are using a pre-Leopard version of OS X, then an excellent solution is to download and install a shareware utility such as Macaroni, JAW PseudoAnacron, or Anacron that will automate the maintenance activity regardless of whether the computer is turned off or asleep.  Dependence upon third-party utilities to run the periodic maintenance scripts was significantly reduced after Tiger.  (These utilities have limited or no functionality with Snow Leopard, Lion, or Mountain Lion and should not be installed.)
    Defragmentation
    OS X automatically defragments files less than 20 MBs in size, so unless you have a disk full of very large files there's little need for defragmenting the hard drive except when trying to install Boot Camp on a fragmented drive. Malware Protection
    As for malware protection there are few if any such animals affecting OS X. Starting with Lion, Apple has included built-in malware protection that is automatically updated as necessary. To assure proper protection, update your system software when Apple releases new OS X updates for your computer.
    Helpful Links Regarding Malware Protection:
    1. Mac Malware Guide.
    2. Detecting and avoiding malware and spyware
    3. Macintosh Virus Guide
    For general anti-virus protection I recommend only using ClamXav, but it is not necessary if you are keeping your computer's operating system software up to date. You should avoid any other third-party software advertised as providing anti-malware/virus protection. They are not required and could cause the performance of your computer to drop.
    Cache Clearing
    I recommend downloading a utility such as TinkerTool System, OnyX 2.4.3, Mountain Lion Cache Cleaner 7.0.9, Maintenance 1.6.8, or Cocktail 5.1.1 that you can use for periodic maintenance such as removing old log files and archives, clearing caches, etc. Corrupted cache files can cause slowness, kernel panics, and other issues. Although this is not a frequent nor a recurring problem, when it does happen there are tools such as those above to fix the problem.
    If you are using Snow Leopard or earlier, then for emergency cleaning install the freeware utility Applejack.  If you cannot start up in OS X, you may be able to start in single-user mode from which you can run Applejack to do a whole set of repair and maintenance routines from the command line.  Note that AppleJack 1.5 is required for Leopard. AppleJack 1.6 is compatible with Snow Leopard. (AppleJack works with Snow Leopard or earlier.)
    Installing System Updates or Upgrades
    Repair the hard drive and permissions beforehand.
    Update your backups in case an update goes bad.
    Backup and Restore
    Having a backup and restore strategy is one of the most important things you can do to maintain your computer. Get an external Firewire drive at least equal in size to the internal hard drive and make (and maintain) a bootable clone/backup. You can make a bootable clone using the Restore option of Disk Utility. You can also make and maintain clones with good backup software. You can never have too many backups. Don't rely on just one. Make several using different backup utilities. My personal recommendations are (order is not significant):
         1. Carbon Copy Cloner
         2. Get Backup
         3. Deja Vu
         4. SuperDuper!
         5. Synk Pro
         6. Tri-Backup
    Visit The XLab FAQs and read the FAQs on maintenance and backup and restore.
    Always have a current backup before performing any system updates or upgrades.
    Final Suggestions
    Be sure you have an adequate amount of RAM installed for the number of applications you run concurrently. Be sure you leave a minimum of 10% of the hard drive's capacity or 20 GBs, whichever is greater, as free space. Avoid installing utilities that rely on Haxies, SIMBL, or that alter the OS appearance, add features you will rarely if ever need, etc. The more extras you install the greater the probability of having problems. If you install software be sure you know how to uninstall it. Avoid installing multiple new software at the same time. Install one at a time and use it for a while to be sure it's compatible.
    Additional reading may be found in:    
    1. Mac OS X speed FAQ
    2. Speeding up Macs
    3. Macintosh OS X Routine Maintenance
    4. Essential Mac Maintenance: Get set up
    5. Essential Mac Maintenance: Rev up your routines
    6. Five Mac maintenance myths
    7. How to Speed up Macs
    8. Myths of required versus not required maintenance for Mac OS X
    Referenced software can be found at CNet Downloads or MacUpdate.
    Most if not all maintenance is for troubleshooting problems. If your computer is running OK, then there isn't really a thing you need to do except repair the hard drive and permissions before installing any new system updates.

Maybe you are looking for