Elapsed time in songs

Why can you no longer see elapsed time for a song? Is disappears in a few seconds.

Hi I was also struglling with this problem during my spinning classes that the songs did not show the elapsed time anymore.... What i do know is the following:1. I create my playlist for the class in the same way as before2. download the free app: SPOTQUEUE3. the app will show all your Spotify playlists; select the one that holds your class and it will be show immediately in the Queue4. Click on Queue and you will see all the songs in your playlist in the same manner (more or less0 as it is shown in Spotify5. Click on the Icon at the right hand top and pless play - this will show the time elapsed and time remaining Hope this helps for now! BestKees Brooimans

Similar Messages

  • How to keep Nano showing the elapsed time of song?

    Hi,
    I'm trying to figure out how to keep the page that shows the elapsed time / time remaining on instead of flipping back to the album artwork in 10 seconds. I need this function. any help would be appreciated.

    I don't think you can, sorry. But I have emailed Steve and sent feedback to Apple to fix various issues: http://www.apple.com/feedback/ipodnano.html

  • Time of song and Time elapsed on a MP3 player

    I cant figure out how i make a  time of song and time elapsed line. I all ready made the mp3 player.
    Here is the AC3 code. If anyone can help me with this i would be a very happe man.
    package {
         import fl.controls.DataGrid;
         import fl.data.DataProvider;
         import flash.data.SQLConnection;
         import flash.data.SQLStatement;
         import flash.desktop.Clipboard;
         import flash.desktop.ClipboardFormats;
         import flash.desktop.NativeDragManager;
         import flash.display.MovieClip;
         import flash.display.NativeWindow;
         import flash.display.NativeWindowInitOptions;
         import flash.display.NativeWindowSystemChrome;
         import flash.display.NativeWindowType;
         import flash.display.SimpleButton;
         import flash.display.Sprite;
         import flash.display.Stage;
         import flash.display.StageAlign;
         import flash.display.StageScaleMode;
         import flash.events.Event;
         import flash.events.MouseEvent;
         import flash.events.NativeDragEvent;
         import flash.events.TimerEvent;
         import flash.filesystem.File;
         import flash.filters.DropShadowFilter;
         import flash.media.ID3Info;
         import flash.media.Sound;
         import flash.media.SoundChannel;
         import flash.media.SoundMixer;
         import flash.media.SoundTransform;
         import flash.net.URLRequest;
         import flash.text.TextField;
         import flash.utils.Timer;
         public class AudioGear extends Sprite
              private var connect:SQLConnection;
              private var currentSound:Sound;
              private var yOffset:Number;
              private var st:SoundTransform;
              private var nw:NativeWindow;
              private var window:MovieClip;
              private var tracer:int;
              private var channel:SoundChannel;
              private var tfText:String;
              private var len:int;
              public function AudioGear()
                   init();
                   listeners();
              private function init():void
                   initDB();
                   buildWindow();
                   initObjects();
              private function initObjects():void
                   background.mouseEnabled = true;
                   playToggle.buttonMode = true;
                   playToggle.mouseChildren = false;
                   tf.background = true;
                   tf.backgroundColor = 0x000000;
                   tf.mouseEnabled = false;
                   tf.text = "Drag MP3 file here";
                   prevBtn.buttonMode = true;
                   playBtn.buttonMode = true;
                   nextBtn.buttonMode = true;
                   st = new SoundTransform(1, 0);
                   channel = new SoundChannel();
                   try {
                        currentSound = new Sound(new URLRequest(window.grid.getItemAt(0).Location));
                   catch(event:Error)
              private function initDB():void
                   var file:File = File.applicationStorageDirectory.resolvePath("playlist.db");
                   connect = new SQLConnection();
                   connect.open(file);
                   var statement:SQLStatement = new SQLStatement();
                   statement.sqlConnection = connect;
                   statement.text = "CREATE TABLE IF NOT EXISTS PLAYLIST (Artist TEXT, Song TEXT, Location TEXT)";
                   statement.execute();
              private function listeners():void
                   closer.addEventListener(MouseEvent.CLICK, handleWindow);
                   mini.addEventListener(MouseEvent.CLICK, handleWindow);
                   background.addEventListener(MouseEvent.MOUSE_DOWN, moveWindow);
                   playToggle.addEventListener(MouseEvent.CLICK, togglePlayList);
                   volControl.slider.addEventListener(MouseEvent.MOUSE_DOWN, sliderDown);
                   prevBtn.addEventListener(MouseEvent.CLICK, buttonClick);
                   playBtn.addEventListener(MouseEvent.CLICK, buttonClick);
                   nextBtn.addEventListener(MouseEvent.CLICK, buttonClick);
                   this.addEventListener(NativeDragEvent.NATIVE_DRAG_ENTER, dragEnter);
              private function moveWindow(event:MouseEvent):void
                   stage.nativeWindow.startMove();
              private function handleWindow(event:MouseEvent):void
                   if(event.target == closer)
                        stage.nativeWindow.close();
                        nw.close();
                   else
                        stage.nativeWindow.minimize();
                        nw.minimize();
              private function sliderDown(event:MouseEvent):void
                   volControl.slider.removeEventListener(MouseEvent.MOUSE_DOWN, sliderDown);
                   stage.addEventListener(MouseEvent.MOUSE_MOVE, sliderMove);
                   stage.addEventListener(MouseEvent.MOUSE_UP, sliderUp);
                   yOffset = mouseY - event.target.y;
              private function sliderMove(event:MouseEvent):void
                   var mc:MovieClip = volControl.slider;
                   mc.y = mouseY - yOffset;
                   if(mc.y <= 0)
                        mc.y = 0;
                   else if(mc.y >= (100))
                        mc.y = (100);
                   updateVolume(mc.y);
                   event.updateAfterEvent();
              private function sliderUp(event:MouseEvent):void
                   stage.removeEventListener(MouseEvent.MOUSE_MOVE, sliderMove);
                   stage.removeEventListener(MouseEvent.MOUSE_UP, sliderUp);
                   volControl.slider.addEventListener(MouseEvent.MOUSE_DOWN, sliderDown);
              private function updateVolume(num:Number):void
                   var vol:Number = (100 - (num*1))/50;
                   SoundMixer.soundTransform = st;
                   st.volume = vol;
              private function dragEnter(event:NativeDragEvent):void
                   this.removeEventListener(NativeDragEvent.NATIVE_DRAG_ENTER, dragEnter);
                   this.addEventListener(NativeDragEvent.NATIVE_DRAG_DROP, dragDrop);
                   this.addEventListener(NativeDragEvent.NATIVE_DRAG_EXIT, dragExit);
                   var clip:Clipboard = event.clipboard;
                   var object:Object = clip.getData(ClipboardFormats.FILE_LIST_FORMAT);
                   tfText = tf.text;
                   if (object[0].extension.toLowerCase() == "mp3")
                        NativeDragManager.acceptDragDrop(this);
                   tf.text = "Drop it";
                   else
                        tf.text = "Not a MP3 file";
              private function dragExit(event:NativeDragEvent):void
                   this.addEventListener(NativeDragEvent.NATIVE_DRAG_ENTER, dragEnter);
                   this.removeEventListener(NativeDragEvent.NATIVE_DRAG_EXIT, dragExit);
                   tf.text = tfText;
              private function dragDrop(event:NativeDragEvent):void
                   this.removeEventListener(NativeDragEvent.NATIVE_DRAG_EXIT, dragExit);
                   this.addEventListener(NativeDragEvent.NATIVE_DRAG_ENTER, dragEnter);
                   this.removeEventListener(NativeDragEvent.NATIVE_DRAG_DROP, dragDrop);
                   var clip:Clipboard = event.clipboard;
                   var object:Object = clip.getData(ClipboardFormats.FILE_LIST_FORMAT);
                   var req:URLRequest = new URLRequest(object[0].url);
                   var sound:Sound = new Sound();
                   sound.addEventListener(Event.COMPLETE, soundLoaded);
                   sound.load(req);
                   tf.text = "LOADING...";
              private function soundLoaded(event:Event):void
                   currentSound = event.target as Sound;
                   var id:ID3Info = currentSound.id3;
                   var artist:String = id.artist;
                   var song:String = id.songName;
                   var url:String = currentSound.url
                   var statement:SQLStatement = new SQLStatement();
                   statement.sqlConnection = connect;
                   statement.text = "INSERT INTO PLAYLIST (Artist, Song, Location) VALUES (?, ?, ?)";
                   statement.parameters[0] = artist;
                   statement.parameters[1] = song;
                   statement.parameters[2] = url;
                   statement.execute();
                   loadData();
                   window.grid.selectedIndex = len-1;
                   tracer = -1;
                   tf.text = "Thank you";
                   var timer:Timer = new Timer(1000);
                   timer.addEventListener(TimerEvent.TIMER, onTimer);
                   timer.start();
              private function onTimer(event:TimerEvent):void
                   if(tf.text == "THANK YOU!")
                        tf.text = tfText;
                   var timer:Timer = event.target as Timer;
                   timer.stop();
              private function loadData():void
                   var statement:SQLStatement = new SQLStatement();
                   statement.sqlConnection = connect;
                   statement.text = "SELECT * FROM PLAYLIST";
                   statement.execute();
                   try
                        var dp:DataProvider = new DataProvider(statement.getResult().data);
                        window.grid.dataProvider = dp;
                   catch(event:Error)
                   len = window.grid.length;
              private function buttonClick(event:MouseEvent):void
                   var mc:MovieClip = event.target as MovieClip;
                   var string:String = mc.name;
                   switch(string)
                        case "playBtn" :
                        if(mc.currentLabel == "play")
                             try
                                  playSong(currentSound.url);
                             catch(event:Error)
                        else
                             mc.gotoAndStop("play");
                             SoundMixer.stopAll();
                        break;
                        case "nextBtn" :
                        playNextSong();
                        break;
                        case "prevBtn" :
                        playPrevSong();
                        break;
              private function playNextSong():void
                   if(tracer == len)
                        tracer = 0;
                   else
                        tracer++;
                   handleNextPrev();
              private function playPrevSong():void
                   if(tracer == 0)
                        tracer = len;
                   tracer--;
                   handleNextPrev();
              private function handleNextPrev():void
                   var string:String;
                   try
                        string = window.grid.getItemAt(tracer).Location;
                        currentSound = new Sound(new URLRequest(string));
                        SoundMixer.stopAll();
                        playSong(string);
                   catch(event:Error)
                        string = window.grid.getItemAt(0).Location;
                        currentSound = new Sound(new URLRequest(string));
                        SoundMixer.stopAll();
                        playSong(string);
              private function playSong(string:String):void
                   try {
                        playBtn.gotoAndStop("stop");
                        for(var i:int; i<len; i++)
                             if(string == window.grid.getItemAt(i).Location)
                                  tracer = i;
                                  window.grid.selectedIndex = i;
                        var object:Object = window.grid.getItemAt(tracer);
                        if(object.Artist == null)
                             object.Artist = "";
                        if(object.Song == null)
                             object.Song = "";
                        tf.text = object.Artist + " - " + object.Song;
                        channel = currentSound.play();
                        channel.addEventListener(Event.SOUND_COMPLETE, onSoundComplete);
                   catch(event:Error)
              private function onSoundComplete(event:Event):void
                   playNextSong();
              private function togglePlayList(event:MouseEvent):void
                   if(playToggle.ty.text == "Show Playlist")
                        loadData();
                        setCoords();
                        nw.visible = true;
                        window.grid.selectedIndex = tracer;
                        playToggle.ty.text = "Hide Playlist";
                   else
                        nw.visible = false;
                        playToggle.ty.text = "Show Playlist";     
              private function buildWindow():void
                   var nwo:NativeWindowInitOptions = new NativeWindowInitOptions();
                   nwo.maximizable = false;
                   nwo.resizable = false;
                   nwo.transparent = true;
                   nwo.systemChrome = NativeWindowSystemChrome.NONE
                   nwo.type = NativeWindowType.LIGHTWEIGHT;
                   nw = new NativeWindow(nwo);
                   nw.title = "Playlist";
                   window = new Window();
                   window.deli.ty.text = "Delete";
                   window.mouseEnabled = false;
                   window.addEventListener(MouseEvent.MOUSE_DOWN, moveNatWin);
                   nw.stage.stageWidth = window.width+10;
                   nw.stage.stageHeight = window.height+10;
                   nw.stage.scaleMode = StageScaleMode.NO_SCALE;
                   nw.stage.align = StageAlign.TOP_LEFT;
                   window.filters = [new DropShadowFilter(4, 90, 0x000000, 1, 4 ,4, 0.66, 3)];
                   window.x = 5;
                   window.y = 0;
                   nw.stage.addChild(window);
                   setCoords();
                   window.grid.addEventListener(Event.CHANGE, gridChange);
                   window.deli.addEventListener(MouseEvent.CLICK, deliClick);
                   loadData();
              private function setCoords():void
                   nw.x = stage.nativeWindow.x;
                   var theY:Number = (stage.nativeWindow.y + stage.nativeWindow.height)
                   nw.y = theY;
              private function deliClick(event:MouseEvent):void
                   try
                        var statement:SQLStatement = new SQLStatement();
                        statement.sqlConnection = connect;
                        statement.text = "DELETE FROM PLAYLIST WHERE Location = ?";
                        statement.parameters[0] = window.grid.selectedItem.Location;
                        var string:String = window.grid.selectedItem.Location;
                        var item:int = window.grid.selectedIndex;
                        statement.execute();
                        loadData();
                        if(currentSound.url == string)
                             currentSound = new Sound(new URLRequest(window.grid.getItemAt(0).Location));
                        len = window.grid.length;
                        try
                             window.grid.selectedItem = window.grid.getItemAt(item-1);
                        catch(event:Error)
                             window.grid.selectedItem = window.grid.getItemAt(0);
                   } catch (event:Error) {
              private function gridChange(event:Event):void
                   var dg:DataGrid = event.target as DataGrid;
                   currentSound = new Sound(new URLRequest(dg.selectedItem.Location));
              private function moveNatWin(event:MouseEvent):void
                   var mc:MovieClip = event.target as MovieClip;
                   var st:Stage = mc.parent.parent as Stage;
                   st.nativeWindow.startMove();

    Hello there,
    You're in the forum for Acrobat.com. We can't help with questions about other products; I'm not sure what you're using for your project, but it's not likely you'll find the help you're looking for in this particular forum. Sorry!
    Rebecca

  • Where did track information / elapsed time go?

    Just lost my track information during listening to a song. The scrollbar has gone and so did the elapsed time / time to go counter. Where can I find it back?
    Thanks a lot!

    To have the scrubber available for the song that is playing - which is what you are referring to, tap on the album cover art area for the song that is playing.

  • View of Time elapsed/Time remaining

    Previous mobile versions showed time elapsed/time remaining at all times while a song was playing. The new version hides that after a few seconds unless you tap somewhere near the time elapsed line (which can cause you to accidentally fast forward or rewind the song if you don't tap in just the right place). I liked the older version better when I could always see how much time had elapsed and how much time was remaining on a song without having to tap/click anywhere.

    Updated: 2015-07-24Hello and thanks for the feedback!
    Any news regarding this request will be announced in the original idea topic here:
    https://community.spotify.com/t5/Idea-Submissions/iOS-Please-DO-NOT-automatically-hide-the-timer-on-the-Spotify/idi-p/1145221
    Please add your kudos and comments there, if you haven't already. ;)

  • How can I see the elapsed time on imported video?

    I'm trying to make a video in iMovie 11'.  I would like to be able to view the elapsing time of the song I imported so I can match video footage with audio.  With the older version of iMovie, I could see a time clock on the bottom of the video I was importing, so I could match the mouth to the lyrics. 
    In the older iMovie version, the entire audio would play when only part of the clips had been imported by me.  Now with this version, the song stops playing when the clips stop.  So partial completion of the video, doesn't allow a full time clock of the total song to allow me to match the voice on the audio with the film of someone singing.
    In short, I can't find the running time clock for the video player in the project library.
    Can you help me with thsi?  The help menu has not anweered my questions.
    Thanks.
    Dave Demoise

    I agree with Bengt W. There are many reasons, even in a simple movie, to want to know the timing of things. This is a surprisingly frustrating product. For want of timing information, you are requiring your users to pay $300?
    In my situation, I took some video of a show (with the performers permission) with an iPad and an iPod.  All I want to do is make a movie with one video as the main position with a series of cutaway clips from the other. It is incredibly frustrating to do this without knowing where you are within each clip.
    When helpful and capable forum participants like we have here have to spend time explaining how best to make do with a product, it's a clear indication of a fault with the product. Now, I either have to spend extra time in iMovie making due with this crippled interface, or I have to spend time looking for an alternative product.
    Consider this a feature request!

  • HT201272 I purchased songs from iTunes Radio on my iPhone, but now the only place they will show up is in the iTunes Store app on my phone, even after syncing to my computer a million times, the songs do not show up in my library or anywhere else.

    I purchased songs from iTunes Radio on my iPhone, but now the only place they will show up is in the iTunes Store app on my phone, even after syncing to my computer a million times, the songs do not show up in my library or anywhere else. My phone is not syncing properly, I wanted to add another playlist to it that I created on my Mac. I pluged in my phone and made sure the playlist I wanted to add was checked to be on my phone when I synced.
    The playlist I wanted to add was "Country." It is clearly checked. I also wanted to add the "Recently Added" playlist, which I also checked before sycing. Currently, my phone only has the "Purchased" playlist and my "All Songs" playlist on it. When I hit sync, iTunes added another playlist automatically added another playlist to the list above and checked it. It was titled "ALL SONGS 1" and had ten fewer songs in it than the playlist I had created, "ALL SONGS" had. This playlist, however does not show up on my phone after syncing, nor does "Country" or "Recently Added." (Every time I sync, another playlist is created as "ALL SONGS 2, 3, 4, etc.") One of the songs (I have not, yet checked the other songs) that I purchased from within iTunes Radio shows up in the "ALL SONGS 1" on this screen:
    But does not show up anywhere else. This playlist does not show up anywhere but the two screens above. The ALL SONGS 1 or 2 playlists do not show up here:
    When I search for those song in my library, it shows that I do not have them:
    But if I go to the iTunes store, I get the play button and not the price of the song:
    This is what things look like from my phone's side of things:
    "Summertime Sadness," one of the songs I bought from iTunes Radio, does not show up in the iTunes store under purchased "All" or "Not on This iPhone"
    But, it does show up under "Recent Purchases"
    Also, this is what playlists are on my phone after syncing a million times:
    Only what was on there before I started any of this. "Summertime Sadness" and the other songs I bought from inside iTunes Radio, do not show up in either of these playlists. Please, help me.

    Hi Petrafin,
    Welcome to the Support Communities!
    The article below may be able to help you with this.
    Click on the link to see more details and screenshots.
    You can download your purchases directly to your computer.
    Downloading past purchases from the iTunes Store, App Store, and iBooks Store
    http://support.apple.com/kb/HT2519
    Cheers,
    - Judy

  • Elapsed Time in my V$SQL

    Hi,
    Can someone answer this please?. I'm bit perplexed by the elapsed time in my v$sql
    UPDATE ods_router_tables SET last_data_received = :b1, last_data_received_dst = :b3 WHERE
    table_name = :b2 AND NVL(last_data_received,TO_DATE('01-JAN-1980','DD-MON-YYYY')) < :b1
    Executions: 2786327
    Disk reads: 0
    Buffer gets: 6023381
    Rows processed: 423713
    Optimizer cost: 1
    Sorts: 0
    CPU Time: 898500000
    Elapsed Time: 1.84467440681166E19
    This table is quite small, only 44 records and if i run the statement in Sql plus, it runs in a
    flash. But why this enormous Elapsed time in V$SQL. Is my conversion of this time to
    seconds/execution correct?
    Elapsed time in seconds/execution: 1.84467440681166E19/1000000/2786327=6620451 seconds!
    I guess there is something seriously wrong here. I'm running on a 4 CPU server. DB version is 9.2.
    I see similar figures in some of the innocent looking Insert statements as well.
    thanks in advance,
    Sunil

    ELAPSED_TIME in v$sql also includes all wait times for that sql. Is it possible that update is waiting for locks some time? See the following case.
    SQL> create table test2 as select * from dual;
    Table created.
    SQL> update test2 set dummy='A';
    1 row updated.From another session try to update the same row.
    SQL> update test2 set dummy='B';Wait for some time. Then rollback the first session.
    SQL> rollback;
    Rollback complete.Now look at v$sql.
    SQL> select sql_text,executions,elapsed_time from v$sql where sql_text like 'update%test2%';
    SQL_TEXT
    EXECUTIONS ELAPSED_TIME
    update test2 set dummy='B'
             1     29413712
    update test2 set dummy='A'
             1         2506The first update's elapsed time is very small. The second update's elapsed time is high because of the wait for the lock.

  • ORA-1555  ORA-3136 errors:: elapsed time vs Query Duration

    Dear all,
    - My Database version is 11.2.0.2, Solaris.
    - We have been having a problem in the production database where the front end nodes start going up and down for couple of hours sometimes. ; When node flapping is going on we get connection timed out alerts.
    WARNING: inbound connection timed out (ORA-3136) opiodr aborting
    process unknown ospid (4342) as a result of ORA-609 opiodr aborting
    process unknown ospid (4532) as a result of ORA-609 opiodr aborting
    process unknown ospid (4534) as a result of ORA-609 opiodr aborting....
    Since this week node flapping is happening every day. Since past 2 days after or during node flapping we are getting ORA-1555 error.
    Extract from alert log error:
    ORA-01555 caused by SQL statement below (SQL ID: g8804k5pkmtyt, Query Duration=19443 sec, SCN: 0x0001.07bd90ed):
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.parentDeviceId, d.created, d.lastModified AS devLastMod, d.customerId, d.userKey1, d.userKey2, d.userKey4, d
    .userKey5, d.firmwareFamily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.userKey6, d.provisioningId, d.status, d.classification, d.population, d.name, d.ipRe
    solver, d.ipExpirationTime, d.geoLocationId,contact.firstContactTime, ifaces.id, ifaces.type AS ifaceType, ifaces.lastModified AS ifaceLastMod, ifaces.timeoutname, ifac
    es.username1, ifaces.password1, ifaces.username2, ifaces.password2, ifaces.connReqUrl, ifaces.connReqScheme, ifaces.srvNonce, ifaces.deviceNonce, ifaces.phoneNumber,ifa
    ces.bootstrapSecMethod, ifaces.srvAuthentication, ifaces.deviceAuthentication, ifaces.userPIN, ifaces.networkID, ifaces.omaSessionID, ifaces.portNum, ifaces.mgtIp, ifac
    es.cmtsIp, ifaces.mgtReadCommunity, ifaces.mgtWriteCommunity, ifaces.cmtsReadCommunity, ifaces.cmtsWriteCommunity, devto.name AS devtoName, devto.rebootTimeout, devto.sessionInitiationI run Statspack report from the whole day duration, and looking into the elapsed time in seconds no more than 3739.61 sec (too lower than run duration in the alert log file of 19443 sec); So I would like to know if there is any co-relations between the ORA-3136 errors and the ORA-1555 errors?
       CPU                  CPU per             Elapsd                     Old
      Time (s)   Executions  Exec (s)  %Total   Time (s)    Buffer Gets  Hash Value
    tTime <= :3 ) AND (endTime IS NULL OR endTime >= :4 )
       2773.77    7,787,914       0.00    3.4    3739.61     112,671,645 1909376826
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.user
    SQL> show parameter UNDO_MANAGEMENT
    NAME                                 TYPE        VALUE
    undo_management                      string      AUTO
    SQL> show parameter UNDO_RETENTION
    NAME                                 TYPE        VALUE
    undo_retention                       integer     10800BR,
    Diego

    Thank you. Please let me know if it is enough or you need more information;
    SQL ordered by Gets  DB/Inst: DB01/db01  Snaps: 14835-14846
    -> End Buffer Gets Threshold:    100000 Total Buffer Gets:     677,689,568
    -> Captured SQL accounts for   73.6% of Total Buffer Gets
    -> SQL reported below exceeded  1.0% of Total Buffer Gets
                                                         CPU      Elapsd     Old
      Buffer Gets    Executions  Gets per Exec  %Total Time (s)  Time (s) Hash Value
         21,286,248    2,632,793            8.1    3.4   666.73    666.76 3610154549
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.user
         17,029,561    1,176,849           14.5    2.7   417.32    416.73 1909376826
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.user
         17,006,795           37      459,643.1    2.7   367.61    368.95 4045552861
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.userAnother Statspack report for the whole day shows;
    SQL ordered by CPU  DB/Inst: DB01/db01  Snaps: 14822-14847
    -> Total DB CPU (s):          82,134
    -> Captured SQL accounts for   40.9% of Total DB CPU
    -> SQL reported below exceeded  1.0% of Total DB CPU
        CPU                  CPU per             Elapsd                     Old
      Time (s)   Executions  Exec (s)  %Total   Time (s)    Buffer Gets  Hash Value
    tTime <= :3 ) AND (endTime IS NULL OR endTime >= :4 )
       2773.77    7,787,914       0.00    3.4    3739.61     112,671,645 1909376826
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.user
    SQL ordered by Gets  DB/Inst: DB01/db01  Snaps: 14822-14847
    -> End Buffer Gets Threshold:    100000 Total Buffer Gets:   1,416,456,340
    -> Captured SQL accounts for   55.8% of Total Buffer Gets
    -> SQL reported below exceeded  1.0% of Total Buffer Gets
                                                         CPU      Elapsd     Old
      Buffer Gets    Executions  Gets per Exec  %Total Time (s)  Time (s) Hash Value
         86,354,963    7,834,326           11.0    6.3  2557.34   2604.08  906944860
    Module: JDBC Thin Client
    SELECT d.devId, d.vendor, d.model, d.productClass, d.oui, d.pare
    ntDeviceId, d.created, d.lastModified AS devLastMod, d.customerI
    d, d.userKey1, d.userKey2, d.userKey4, d.userKey5, d.firmwareFam
    ily, d.softwareVer, d.serialNum, d.ip, d.mac, d.userKey3, d.user
    .....BR,
    Diego
    Edited by: 899660 on 27-ene-2012 7:43
    Edited by: 899660 on 27-ene-2012 7:45

  • How can I display the elapsed time of the course using Advanced Actions in Captivate?

    I have a Captivate course which is approximately 35 minutes in length. On each slide I would like to display to the user, the current elapsed time.
    EXAMPLE:
    25/35 minutes complete
    The 35 would remain static, so I have been working with the elapsed time system variable in CP: elapsed:$$cpInfoElapsedTimeMS$$
    I can't seem to get the variable to properly display the elapsed time in minutes, rather than miliseconds. Attached is a screen shot of my advanced action.
    Can anyone provide guidence regarding how I should structure this differntly?

    I talked about that Timer widget in that blog post and pointed to another one:
    http://blog.lilybiri.com/timer-widget-to-stress-your-learners
    If you are on CP7, you'll have this widget also as an interaction, which means it is compatible with HTML5 output. Amd there is also an hourglass interaction, with similar functionality but... did not blog about that one
    PS: Check Gallery\Widgets to find all widgets. Default path is set to Interactions

  • How can I get the elapse time for execution of a Query for a session

    Hi ,
    How can I get the elapse time for execution of a Query for a session?
    Example - I have a report based on the procedure ,when the user execute that it takes say 3 min. to return rows.
    Is there any possible way to capture this session info. for this particular execution of query along with it's execution elapse time?
    Thanks in advance.

    Hi
    You can use the dbms_utility.get_time tool (gives binary_integer type value).
    1/ Initialize you time and date of beginning :
    v_beginTime := dbms_utility.get_time ;
    2/ Run you procedure...
    3/ Get end-time with :
    v_endTime := dbms_utility.get_time ;
    4/ Thus, calculate elapsed time by difference :
    v_elapsTime := v_endTime - v_beginTime ;
    This will give you time elapsed in of 100th of seconds...
    Then you can format you result to give correct print time.
    Hope it will help you.
    AL

  • How to use elapsed time function with state machine in Lab VIEW

    Hello
    I've been trying to use state machine with elapsed time function in order to sequentially start and stop my code. The arrangement is to start the code for 1 minute then stop for 5 minutes. I've attached the code, the problem is when I place the elapsed time function out of the while loop it doesn't work, on the other hand when I place it inside the loop it does work but it doesn't give the true  signal to move to the next state. 
    Could you please have a look to my code and help me to solve this issue.
    Regards 
    Rajab
    Solved!
    Go to Solution.
    Attachments:
    daq assistance thermocouple(sate machine raj).vi ‏436 KB

    Rajab84 wrote:
    Thanks apok for your help
    even with pressing start it keeps running on wait case 
    could you please explain the code for me, the use of Boolean crossing, increment , and equal functions 
    Best Regards 
    Rajab 
    OK..I modded the example to stop after 2 cycles. Also recommend taking the free online LabVIEW tutorials.
    run vi. case statement goes to "initialize", shift registers are initialized to their constants. goto "wait"
    "start"= false, stay in current state. If true, transition to "1 min" case
    reset elapsed timer with True from shift register(counter starts at zero)."time has elapsed"=false, stay in current state(1 min). If true, goto "5min" case
    reset elapsed timer with True from shift register of previous case(counter starts at zero)."time has elapsed"=false, stay in current state(5 min). If true, goto "1min" case. Also, bool crossing is looking for "true-false" from "5 min" compare function to add cycle count.
    Once cycle count reaches 2, stop while loop.... 
    Attachments:
    Untitled%202[1].vi ‏42 KB

  • How do I determine the # of times a song has been down loaded; 7 is max?

    How do I determine the # of times a song has been down loaded? Is 7 max?

    Jim, I apprecite your help. Im still  lost...not that efficient on computer. Some notes, If burn playlist to disc doesn appear in the menu, it means that the playlist you selected cant be burned to a CD because it contains items that have usage restrictions;  if the playist contains itunes store purchases that are not itune plus songs, you can burn the playlsit to a CD up to 7 times;  DRM - Digital Rights Management????  Any help is appreciated Thank You

  • Direct Path Read waits are not showing in Elapsed time

    Hi,
    I'm having a question regarding interpretation of a SQL trace file. I'm on Oracle 11.2.0.1 HP/UX 64 bit.
    Following is only the overall result of the trace (it is quite big).
    My question is about the Direct Path Read waits which are totallizing 268s of wait but are not showing in the fetch elapsed time (49.58s) and are not showing anywhere in the trace except in the overall result.
    I do not understand why it is not part of the Elapsed time...
    For info, the trace is for the specific session that was performing all the required queries to display an online report. The database is accessed by the Java application using Hybernate.
    The trace was obtained by the following SQL:
    exec sys.dbms_monitor.serv_mod_act_trace_enable(service_name=>'SYS$USERS',waits=>true,binds=>true);Then I query the sessions to find the one created by the application.
    OVERALL TOTALS FOR ALL NON-RECURSIVE STATEMENTS
    call     count       cpu    elapsed       disk      query    current        rows
    Parse       36      0.43       0.51          0          5          0           0
    Execute     62      0.01       0.01          0          0          0           0
    Fetch      579      4.01      49.06       3027     153553          0        5516
    total      677      4.45      49.58       3027     153558          0        5516
    Misses in library cache during parse: 29
    Misses in library cache during execute: 2
    Elapsed times include waiting on following events:
      Event waited on                             Times   Max. Wait  Total Waited
      ----------------------------------------   Waited  ----------  ------------
      SQL*Net message to client                   32754        0.00          0.03
      SQL*Net message from client                 32753        2.33        232.01
      Disk file operations I/O                      179        0.00          0.02
      db file sequential read                      2979        0.54         45.72
      SQL*Net more data to client                133563        0.04          5.30
      direct path read                            34840        0.94        268.21
      SQL*Net more data from client                1075        0.00          0.02
      db file scattered read                          6        0.03          0.11
      asynch descriptor resize                       52        0.00          0.00
    OVERALL TOTALS FOR ALL RECURSIVE STATEMENTS
    call     count       cpu    elapsed       disk      query    current        rows
    Parse       25      0.00       0.02          0          0          0           0
    Execute     58      0.05       0.04          0          0          0           0
    Fetch      126      0.00       0.04          4        161          0         123
    total      209      0.05       0.11          4        161          0         123
    Misses in library cache during parse: 3
    Misses in library cache during execute: 3
    Elapsed times include waiting on following events:
      Event waited on                             Times   Max. Wait  Total Waited
      ----------------------------------------   Waited  ----------  ------------
      Disk file operations I/O                        1        0.00          0.00
      db file sequential read                         4        0.01          0.03
      asynch descriptor resize                        1        0.00          0.00
       37  user  SQL statements in session.
       57  internal SQL statements in session.
       94  SQL statements in session.
    Trace file: oxd1ta00_ora_16542.trc
    Trace file compatibility: 11.1.0.7
    Sort options: default
           1  session in tracefile.
          37  user  SQL statements in trace file.
          57  internal SQL statements in trace file.
          94  SQL statements in trace file.
          57  unique SQL statements in trace file.
      241517  lines in trace file.
         568  elapsed seconds in trace file.Thanks
    Christophe

    Christophe Lize wrote:
    Closing this thread even if it's not answered...Sorry, I don't have time to test this myself now, but you shouldn't mark this thread as answered if it is not, because other people might find it and think they find an answer if they have a similar question.
    I suggest you try the following to narrow down things:
    1. Open the RAW trace file and check the cursor numbers of the "direct path reads" - check if you can find any references for those cursor numbers manually. The cursor numbers are those numbers behind the WAIT #<xx>, and you can check if you find any other entry unequal to WAIT #<xx> with the same #<xx>, for example EXEC #<xx> or FETCH #<xx>
    A short primer on how to interpret the raw trace file can also be found in MOS document 39817.1
    2. Run the RAW trace file through alternative free trace file analyzers like SQLDeveloper (yes it can process raw trace files), OraSRP or Christian Antognini's TVD$XTAT. If you have My Oracle Support access you can also try Oracle's own extended Trace Analyzer (TRCA / TRCANLZR). See MOS Note 224270.1
    Check if these tools tell you more about your specific wait event and oddities with the trace file in general.
    Regards,
    Randolf
    Oracle related stuff blog:
    http://oracle-randolf.blogspot.com/
    Co-author of the "OakTable Expert Oracle Practices" book:
    http://www.apress.com/book/view/1430226684
    http://www.amazon.com/Expert-Oracle-Practices-Database-Administration/dp/1430226684

  • Same sqlID with different  execution plan  and  Elapsed Time (s), Executions time

    Hello All,
    The AWR reports for two days  with same sqlID with different  execution plan  and  Elapsed Time (s), Executions time please help me to find out what is  reason for this change.
    Please find the below detail 17th  day my process are very slow as compare to 18th
    17th Oct                                                                                                          18th Oct
    221,808,602
    21
    2tc2d3u52rppt
    213,170,100
    72,495,618
    9c8wqzz7kyf37
    209,239,059
    71,477,888
    9c8wqzz7kyf37
    139,331,777
    1
    7b0kzmf0pfpzn
    144,813,295
    1
    0cqc3bxxd1yqy
    102,045,818
    1
    8vp1ap3af0ma5
    128,892,787
    16,673,829
    84cqfur5na6fg
    89,485,065
    1
    5kk8nd3uzkw13
    127,467,250
    16,642,939
    1uz87xssm312g
    67,520,695
    8,058,820
    a9n705a9gfb71
    104,490,582
    12,443,376
    a9n705a9gfb71
    62,627,205
    1
    ctwjy8cs6vng2
    101,677,382
    15,147,771
    3p8q3q0scmr2k
    57,965,892
    268,353
    akp7vwtyfmuas
    98,000,414
    1
    0ybdwg85v9v6m
    57,519,802
    53
    1kn9bv63xvjtc
    87,293,909
    1
    5kk8nd3uzkw13
    52,690,398
    0
    9btkg0axsk114
    77,786,274
    74
    1kn9bv63xvjtc
    34,767,882
    1,003
    bdgma0tn8ajz9
    Not only queries are different but also the number of blocks read by top 10 queries are much higher on 17th than 18th.
    The other big difference is the average read time on two days
    Tablespace IO Stats
    17th Oct
    Tablespace
    Reads
    Av Reads/s
    Av Rd(ms)
    Av Blks/Rd
    Writes
    Av Writes/s
    Buffer Waits
    Av Buf Wt(ms)
    INDUS_TRN_DATA01
    947,766
    59
    4.24
    4.86
    185,084
    11
    2,887
    6.42
    UNDOTBS2
    517,609
    32
    4.27
    1.00
    112,070
    7
    108
    11.85
    INDUS_MST_DATA01
    288,994
    18
    8.63
    8.38
    52,541
    3
    23,490
    7.45
    INDUS_TRN_INDX01
    223,581
    14
    11.50
    2.03
    59,882
    4
    533
    4.26
    TEMP
    198,936
    12
    2.77
    17.88
    11,179
    1
    732
    2.13
    INDUS_LOG_DATA01
    45,838
    3
    4.81
    14.36
    348
    0
    1
    0.00
    INDUS_TMP_DATA01
    44,020
    3
    4.41
    16.55
    244
    0
    1,587
    4.79
    SYSAUX
    19,373
    1
    19.81
    1.05
    14,489
    1
    0
    0.00
    INDUS_LOG_INDX01
    17,559
    1
    4.75
    1.96
    2,837
    0
    2
    0.00
    SYSTEM
    7,881
    0
    12.15
    1.04
    1,361
    0
    109
    7.71
    INDUS_TMP_INDX01
    1,873
    0
    11.48
    13.62
    231
    0
    0
    0.00
    INDUS_MST_INDX01
    256
    0
    13.09
    1.04
    194
    0
    2
    10.00
    UNDOTBS1
    70
    0
    1.86
    1.00
    60
    0
    0
    0.00
    STG_DATA01
    63
    0
    1.27
    1.00
    60
    0
    0
    0.00
    USERS
    63
    0
    0.32
    1.00
    60
    0
    0
    0.00
    INDUS_LOB_DATA01
    62
    0
    0.32
    1.00
    60
    0
    0
    0.00
    TS_AUDIT
    62
    0
    0.48
    1.00
    60
    0
    0
    0.00
    18th Oct
    Tablespace
    Reads
    Av Reads/s
    Av Rd(ms)
    Av Blks/Rd
    Writes
    Av Writes/s
    Buffer Waits
    Av Buf Wt(ms)
    INDUS_TRN_DATA01
    980,283
    91
    1.40
    4.74

    The AWR reports for two days  with same sqlID with different  execution plan  and  Elapsed Time (s), Executions time please help me to find out what is  reason for this change.
    Please find the below detail 17th  day my process are very slow as compare to 18th
    You wrote with different  execution plan, I  think, you saw plans. It is very difficult, you get old plan.
    I think Execution plans is not changed in  different days, if you not added index  or ...
    What say ADDM report about this script?
    As you know, It is normally, different Elapsed Time for same statement in different  day.
    It is depend your database workload.
    It think you must use SQL Access and SQl Tuning advisor for this script.
    You can get solution for slow running problem.
    Regards
    Mahir M. Quluzade

Maybe you are looking for

  • How to launch a specific TestStand sequence file from command line?

    I've written a TestStand sequence file launching other sequence files. When I launch it via the TestStand GUI, it works well. Now, I would like to launch it via command line. Could you indicate me how to proceed?

  • HP Mini- left mouse button is broken. warrany?

    I bought an HP Mini about six months ago, and I have recently been having trouble with my left mouse button. You see, my left mouse button is loose, wiggly, and does not respond as well as it used to. IT is also not raised as high as it is supposed t

  • MSN account on the Mail App.

    I have a MSN/Hotmail email account and that is my main e-mail. When i tried to add in on my mail app it says secure connection failed and that my e-mail may not be valid (when it is). from there i click continue, and a window says that it can not get

  • Warranty Claims management in ECC6.

    Folks.. I am working on warranty  Claims work bench in ECC6. In trying to build up a demo scenario, I have encountered the following problem. I have been able to create Incoming customer version/ out going customer  and out going re-imburser version.

  • Missing Redologs/Flash Recover files

    Hi Our development team has backed up database files, controlfiles and missed to backup redologs/flash recovery ONLINELOG files. I am working on how to recover the databsae in the absense of those ONLINELOg files. I tried re-creating controlfile with