Cleaning up gpu resources

I'm starting to dig into molehill (very exciting!) and my first big concern is managing GPU resouces. I want to make sure that I'm not going to leak GPU memory, and have started devising a complex system to track things that need to be disposed. Then it occurred to me, no special note was made of this in the docs, am I the only person worrying about this?
Question: Do the GPU objects (Program3D, IndexBuffer3D, VertexBuffer3D, TextureBase) need to be manually disposed, or are they disposed automatically by the flash garbage collector?

The resources should be tied to the life of the AS3 objects as you'd expect. The dispose() methods are there in case you are doing some unusually heavy allocation/deallocation and get resource issues, same as with BitmapData. Most people should be able to wait for the GC. If you get resource problems it's probably best to report it rather than work around it.

Similar Messages

  • Looking for a RSS Screensaver that uses less CPU/GPU resources

    Does anyone know of a screensaver that displays RSS feed items without all the CPU/GPU resource hogging animation as the default Leopard RSS screensaver does?

    Does anyone know of a screensaver that displays RSS feed items without all the CPU/GPU resource hogging animation as the default Leopard RSS screensaver does?

  • [svn] 3326: Clean up of resources was happening incorrectly.

    Revision: 3326
    Author: [email protected]
    Date: 2008-09-24 06:58:09 -0700 (Wed, 24 Sep 2008)
    Log Message:
    Clean up of resources was happening incorrectly.
    qa: yes, see bug report
    doc: no
    bug: LCDS-390
    checkintests: passed
    Details:
    modules/core/src/flex/messaging/factories/JavaFactory.java
    modules/core/src/flex/messaging/FactoryDestination.java
    modules/core/src/flex/messaging/MessageBroker.java
    modules/core/src/flex/messaging/services/AbstractService.java
    modules/core/src/flex/messaging/services/MessageService.java
    * createDestination should check on whether the destination already exists before trying to create the destination
    * the behavior is now more consistent with addDestination
    * this should minimize the possibility that the assembler class remains in the application scope even after the createDestination failure
    * since both remove and stop call stop on the FactoryDestination, only remove the instance ref if the application is running when stop is called
    Ticket Links:
    http://bugs.adobe.com/jira/browse/LCDS-390
    Modified Paths:
    blazeds/trunk/modules/core/src/flex/messaging/FactoryDestination.java
    blazeds/trunk/modules/core/src/flex/messaging/MessageBroker.java
    blazeds/trunk/modules/core/src/flex/messaging/factories/JavaFactory.java
    blazeds/trunk/modules/core/src/flex/messaging/services/AbstractService.java
    blazeds/trunk/modules/core/src/flex/messaging/services/MessageService.java
    blazeds/trunk/sampledb/flexdemodb/flexdemodb.properties

    UlrikaJ, I've heard you talk of this before, do you
    know of anywhere that gives a full explanation on the
    use of dispose() for Windows and other classes? I've
    never called dispose() and so I suppose I just get
    away with it.I've collected some of these methods: close of Input/OutputStream, cancel of Timer and dispose of Graphics and Window. There may be more but I havent found any documentation other then the class documentation.
    At first I couldn't believe that you sometimes have to call a specific termination method to avoid memory leaks. I argued that it must be enougth just to release all pointers to an object for it to be garbage collected. But Pervel finally convinced me with a memory leaking test program here at post 39,
    http://forum.java.sun.com/thread.jsp?forum=31&thread=401418
    When I realized I'd been wrong my face went crimson for a week because I had been calling Pervel a wannabe expert -:)
    I've
    never called dispose() and so I suppose I just get
    away with it. Doesn't
    setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE) sort
    this stuff out for you?
    I never know when to check for this kind of thing....Yes I guess if you have selected EXIT_ON_CLOSE both dispose() and System.exit() get called when the user closes the frame window.

  • Is cleaning up resources required?

    at the end of an applescript, is there a need to clean up the resources/objects/variables that have been used?
    i have eyetv setup to automatically run an "ExportDone.scpt" script when a TV recording is exported to a different format (it gets re-encoded, tagged and added to itunes for appletv). this works successfully for the first recording. but when that has completed, and i start exporting the second recording, it hangs before executing the applescript, and i cant explain it...
    regards,
    jingo_man

    Oh, well, jingo-man, from what you wrote, I'm afraid you have marked this thread as solved too early...
    But, anyway, thank you for the green star. Now I feel in debt.
    A few things.
    • Variable scoping is subtle and of vital importance. So I believe you should peruse the relevant chapter(s) in AppleScript Language Guide.
    cf.
    Chapter 3. Variable and Properties (pp. 47-57 in pdf version)
    http://developer.apple.com/documentation/AppleScript/Conceptual/AppleScriptLangG uide/
    In brief, if you put -
    set var1 to "string"
    in your own handler and there's no global var1 or property var1 in scope, then the var1 is defined as (implicit) local by this assignment statement. (Strictly speaking, in case var1 is one of the parameter(s) of the handler (that become local to the handler), variable var1 in the handler code referrs to the var1 given as parameter and therefore the above statement only reassigns a new value "string" to (existing local parameter) var1 instead of defining (new local) var1 with value "string".)
    As for ScriptLibraryv1.scpt, I guess it is a collection of handlers. If so and you have not declared any global variables in any of your handlers (and also there's no variable, except for properties, that are defined in top level (i.e. in implicit run handler) or in explicit run handler and not declared as local), then there should be no worry about the said global contamination in your case.
    (Global contamination of the caller (at the beginning of call chain) only occurs when you execute a statement that referrs to any global variable that is declared and defined in a callee.)
    • As for coding practice, I myself do carefully avoid global variables and use properties instead if necessary.
    One thing to remember, that is not documented in AppleScript Language Guide, is that any variable, except for property, defined in top level (that is in implicit run handler) or in explicit run handler becomes (implicit) global variable unless declared as local. E.g. (as far as I know) -
    --SCRIPT1
    set a to 1
    --END SCRIPT1
    and
    --SCRIPT1a
    on run
    set a to 1
    end run
    --END OF SCRIPT1a
    are lexically equivalent to -
    --SCRIPT1b
    on run
    global a
    (* a is declared global in handler, which binds it to global space,
    yet does not makes it visible to other handler unless declared global in it *)
    set a to 1
    end run
    --END SCRIPT1b
    Note the difference between SCRIPT1b and next SCRIPT2.
    --SCRIPT2
    global a
    (* a is declared global in top level, which makes it visible to all handlers in script. *)
    on run
    set a to 1
    end run
    --END SCRIPT2
    And since I'm too lazy to declare local to all non-property variables in top level, I usually employ following construct -
    --SCRIPT3
    main()
    on main()
    set a to 1
    set b to 2
    --etc
    end main
    --END OF SCRIPT3
    This way, all variables a, b, ... become implicit local to main() handler.
    (If you intend maximum portability of your handler, though, you should explicitly declare local to your (implicit local) variable in handler. Otherwise, it can cause name conflict when the handler is put into a script or a script object which has a property with the same name as the (implicit local) variable.)
    • I mentioned locking ExportDone.scpt in my previous post and I'm somewhat afraid that you have misunderstood it. I meant that if you lock ExportDone.scpt in Finder (or via Terminal) then AppleScript becomes unable to modify it after each run and gracefully gives up to do so. This way, ExportDone.scpt will be protected from possible unwanted modification (caused by global contamination) in file level. (In-memory contamination still can happen, though, if EyeTV loads the ExportDone.scpt once and keeps it in memory during each application session.)
    • I'm not sure at all about the actual workflow, but if the following assumption is correct, i.e. -
    a) You let EyeTV export a recorded TV programme to a file (A); and
    b) When a) is done, EyeTV sends an ExportDone event to itself; and
    c) The ExportDone event triggers the ExportDone() handler given in the ExportDone.scpt; and
    d) The ExportDone() handler converts the file (A) to mpeg-4(?) file (B); and
    e) When d) is finished, you go back to a) for processing next programme.
    then I don't think resource locking or something like that (due to ExportDone() being not re-entrant) may happen. (Such trouble may only happen when you go back to a) before d) is completely finished, I guess)
    All the best,
    Hiroto

  • MSI GT70 Loud fan after clean reboot

    Hey,
    Got a rookie question.
    I've done a clean reboot of windows 8.1 and I've noticed my fan is louder than it used to be idle.
    It's almost running at the same speed it would be if I'm gaming.
    Sorry if the answer is blatantly obvious I'm still coming to terms with the way things works.
    Thanks in advance!

    Did you install any applications recently?
    They may have some background processes which will gradually consume your CPU/GPU resource and make the fans louder.
    Or, maybe it's time to clean the fan.

  • Speedgrade CC 2014.2 build 8.2x51 unsmooth/choppy 4K playback with GPU R9 295x2 - it uses only 2 GB of RAM (Windows 8.1 64Bit), Mac OS - same problem

    Hello, guys
    I have following configuration:
    i7-5960x @ 4.3 GHz
    32 GB DDR4 RAM
    ATI 295x2 8GB (Gpusniffer.exe shows 3072 MB on each Hawaii unit)
    M.2 Ultra Samsung XP941 (>1000Mb/sec)
    Few 850 Pro SSD for H.264 4k source
    Latest Speedgrade CC build at 16/02/2015 (DUAL MONITOR SETUP - 2560x1440 for Interface and 4096x2160 for Preview)
    I work with a lot of short 10-15 seconds 4K 4096x2160 24FPS H.264 clips from Panasonic GH4. Import them to Premiere CC as is, some warp stabilization, cut them, save project and open in Speedgrade CC. Everything is fantastic smooth in Premiere CC.
    In Speedgrade - some simple color correction - Exposition, some keyframes and the most simple grading for some material. I use GPU acceleration for sure to have full 4096x2160 4K 24FPS. But it is not responsive and smooth after some correction is applied. Everything is choppy and freezes first seconds, when I press "PLAY". I used Resources monitor, Task manager (Winodws 8.1 64-bit) and Afterburner. And there is what I found out:
    Afterburner shows utilization of single GPU (as we know for playback only 1 GPU used) the same amount like in Premiere. Speedgrade CC uses 2,5GB VRAM. By the way, if I use some none-gpu-accelerated effect, like "transform", for example, imported from Premiere, I will get "Not enough GPU resources" message in Speedgrade. Afterburner shows, that Speedgrade CC tried to utilize more, then max. available VRAM 3GB during this moment. So I switch off such effects, before open project in Speedgrade.
    Processor is also low on utilization (15%), maybe even a little lower, then in Premiere CC
    Disk - 3-10%, H.264 is low on it
    RAM !!! - is the problem. I allowed to use 29 GB of RAM to Adobe apps. Speedgrade CC uses not more, then 2-3 GB according to Taskmanager (mostly 2GB) and Resources Monitor of Windows 8.1 64Bit Pro. After I finished with color correction, opened project in Premiere CC, everything works smooth with lumteri on and! Premiere CC uses 9-10 GB of RAM to play the same clip at full resolution smoothly!!!
    I already reinstalled everything, including drivers for GPU, Windows 8.1 and Adobe CC. Same result.
    Macbook Pro Retina 15 late 2013 with i7-4960HQ/16gb RAM/Geforce 750m UPDATE!
    Under Mac Os Yosemite 10.10.2 - same situation here. Premiere CC uses 5GB (of 11GB available) for 4096x2160 Prores 422 HQ and is usable, smooth with some frame drops.
    Speedgrade CC uses 2,5 GB of RAM for 4096x2160 and it is impossible to use full 4096x2160. Only 1/2 Resolution for preview is smooth and usable at notebook display. At external 4096x2160 monitor connected through Thunderbolt it is much more choppy, I think it is hard for 750m with 2 GB of VRAM.
    UPDATE! Previous version (CC 2014) of Premiere CC and Speedgrade CC under Windows 8.1 64-bit - same situation.
    What do you think?
    My opinion - Speedgrade CC is not optimized for 4K resolutions. Premiere CC is good for 4K.
    btw, for information, latest AMD catalyst omega driver 14.12 has a problem with my R9 295x2 and Mercury Playback Engine (MPE) OpenCL - just the black screen with sound, when I turn on GPU acceleration. So I use previous 14.9 version. With 14.12 GPUsniffer.exe found one GPU device with 4Gb of VRAM and one GPU with 3GB of VRAM (normally must be 3GB+3GB for 295x2 Dual GPU-chip radeon).

    So, I got MSI 290x 8GB tested and... found out that I can't use 8GB of VRAM, because there are some AMD driver limitations!!!
    1. I switched off my 295x2 8Gb (4GB+4GB) to be sure, it will not affect VRAM amount.
    2. I launched Gpusniffer utility with 14.9 AMD driver and 3072 Mb VRAM was available ONLY! It worked like 295x2 with 3072 + 3072 Mb VRAM.
    3. I installed 14.12 AMD Omega driver and GPUsniffer informed that I have now 8192 Mb!!! But! Mercury Playback Engine did not work with Premiere Pro CC or Speedgrade CC as with my 295x2. Just black screen.
    RGB and Luma at 0 and preview is black with 14.12 AMD driver. Premiere PRO - the same situation.
    With 14.9 AMD Driver. Left 2560*1440 Dell working area monitor and 4096*2160 preview LG monitor right side.
    With 14.9 Gpusniffer shows 3 and 3 and 3GB Vram instead of 4GB and 4GB and 8Gb. As I understood with CrossfireX switched off - Adobe products and their GPUsniffer utility could "find" and use 8GB on primary GPU, but again we can see AMD driver issues.
    Single 290x 8GB with 14.9 AMD driver also displays only 3072 Mb available in Gpusniffer.
    NEATVIDEO informed on their website in Bugs section about 14.12 driver problem with MPE. They also wrote about problem to AMD, so I did. I think, this is really bad story. So, AMD, we are awaiting for normal drivers.

  • Thinkpad T420 GPU usage always shows 100% in Power Manager

    Did anyonce face the same problem before?
    Mine was a i7 2620M+HD3000 T420. When I open the power manager, I fount my CPU usage is around 30~40% and my GPU uasage is 100% stable... I didnt open any game when I open the power manager. Anyone know whether its ok?
    BTW, when I watch film on this laptop. The CPU temperture could raise to 90 celsius...

    Hi there!
    What you describe is not normal behaviour, something is running in the background and is using up resources.
    I suppose you are running Windows 7? You can search for the process (program, driver etc) that is causing the usage if you press CTRL+ALT+DEL and select "Task Manager". On the tab "Processes" select "Show processes from all users", then click on the header "CPU" to sort them by CPU usage. See if you recognize the name of the process that is using up your CPU/GPU resources, it might be an antivirus or, conversely, a malicious program. Upload a screenshot if you can.
    Did someone help you today? Press the star on the left to thank them with a Kudo!
    If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"!
    This will help the rest of the Community with similar issues identify the verified solution and benefit from it.

  • Error Undeploying a EAR File Containing Resource Adapter

    Hi,
    I am trying to undeploy a ear file that contains a
    1) one inbound R.A(resource adapter),
    2) one outbound R.A and
    3) few EJBs.
    The undeploy command "java -jar admin.jar undelpoy..." executes without any error, however the thread process started by the inbound adapter keep running even after undeployment.
    Is there a way to cleanly undeploy a resource adapter (that would delete all the threads created by resource adapter) that's part of a ear file?
    Note: The inbound adapter's deregisterEndpoint method does include the code to call the destroy method on the thread it created.
    Thanks,
    Bhupen

    hello,
    have you tried including the 3rd party jar in your EAR file itself?
    i use a number of external jars in my web app and ejb, including some xml parsing classes. what i did was to put them all in the EAR, at the root level, in other words, not in a sub-directory. then in my WAR's meta-inf/MANIFEST.MF file reference them in the Class-path. do simililar thing for the ejbs if necessary.
    when you tried to use the inqxml instead, did you make a reference in manager/referecen.txt from your app to the inqmy library? if so, did you look into the inqmyxml.jar to see if the Node class is actually there?
    regards,
    wentao

  • Error :: Clean Script

    Hello,<br /><br />I used Adobe Photoshop as a trial version. No just yesterday when I clicked on it, it said <br /><br />"Photoshop License Expired". <br /><br />So I uninstalled it & deleted all it's files.I then bought it from a friend of mine, added the disk. When I clicked the setup application, I entered my password then it said: <br /><br />Setup has encountered an error and cannot continue. Contact Adobe Customer Support for assistance.<br /><br />So then I ran the CS4 Clean Script & this what came out::<br /><br />Traceback (most recent call last):<br />File "/Volumes/Run CS4 Cleaner/Run CS4 Cleaner.app/Contents/Resources/cleaner/CS4InstallerDatabaseUtility.py", line 682, in <module><br />removalofCapsBackupEntries(capsath_mac)<br />File "/Volumes/Run CS4 Cleaner/Run CS4 Cleaner.app/Contents/Resources/cleaner/CS4InstallerDatabaseUtility.py", line 263, in removalofCapsBackupEntries<br />cursor.execute("select collectionPayloadID from ribs_collection")<br />sqlite3.DatabaseError: file is encrypted or is not a database<br /><br />Please help.

    By a CD I meant like a general disk, a DVD-ROM, etc etc. I bought a copy from my friend to see if it works because I have been using the trial from the download section. When it didn't work I had to go & buy a new "DVD-ROM" & try again, though, it's not working. I verified the disk with the disk utility & repaired it too, nothing changed. =/

  • Is this GPU fried

    Was cleaning heat sink and putting in a new fan, I was cleaning the GPU when I noticed I was done and saw this. The machine is running hot and then craps out after a while because of heat or is it this chip?
    Link to picture
    Moderator note; picture(s) totalling >50K converted to link(s) Forum Rules

    You are responsible for backing up your data before having your machine serviced. Some folks have logic boards replaced (which is what will happen to yours, since the GPU is soldered to it) without their HDDs being wiped. But, when a GPU problem is suspected, the 'ultimate troubleshooting' is to reinstall the OS - many service techs at Apple (and elsewhere) use that simple method.
    If you have a clone, you can reverse the cloning process when you get your machine back, with no problems.

  • Destroy() in Servlet - cleaning up some Database info before Tomcat shutdow

    Problem:
         This is a client server application that uses Tomcat as the server.
    The application is made of applets and servlets.
    when the client applciation is running, the user deliberately closes the server,
    as a result all the client application doesn't get any data from the server.
    Here, we need to do some cleaning process before the Tomcat completely shutdown.
    The cleaning process involves interaction with database, getting the data from it, using that data to clean-up some other data.
    We added this functionality to the destroy() method of Servlet.
    When the server is shutdown deliberately when the clients are running, this destroy method give chance for each client to clean-up some resources in use.
    However when we add that functionality to this destroy() function,
    it throws SQL exception, unknown resource.
    The DBconnection is throwing error here.
    I have put like this
    synchronize( dbConnection ) {
         // db interaction
         // some clean up process
    then also its throw exception
    refused to open dbconnection
    at this time only it happens like this...
    Please help me...
    any inputs?
    any thoughts?

              "Arunachalam" <[email protected]> wrote:
              >
              look at FAQ
              >Hi,
              >I have coded a servlet to poll the database.It internally uses the Thread
              >Pool
              >to do some
              >business validation on the polled db records.Polling Thread object is
              >created
              >in init() method.
              >All the clean up activity,release of database connection and and killing
              >the thread
              >
              >take place at destroy() method.
              >
              >Iam uptaing the connction from the datasource .when i initiate the graceful
              >shutdown
              >on the
              >weblogic 7.1 container suspends the JMS and immdeately it suspends the
              >JDBC Service.
              >At this moment
              >the servlet holds the connection,It started to throw following sqlexception
              >
              >
              >workerthread:java.sql.SQLException: Connection has been administratively
              >disabled.
              >Try later.
              >
              >How do i make the container to call the servlet destroy method before
              >it
              >releases/disables the connection pool.Any help in resolving this issue
              >is highly
              >appreciated.
              >
              >
              >
              >
              

  • GPU stuck at 99%

    Hello,
    I have Lenovo G500 with Intel HD4000 and AMD Radeon 8570M GPU and sometimes my AMD GPU stuck at 99%. When restart my PC back to normal. This happens to me with latest driver from Lenovo support site and latest driver from AMD site. Does anyone know why this happening?

    A program or app must be utilizing your GPU resources, I would suggest reinstalling your GPU drivers and to further monitor your GPU usage
    Lets make 2015 the year of the #DO
    Did I or someone help you today? Press the star on the left to thank them with a Kudo!

  • XBMC freezes with free Radeon driver and VDPAU (Mesa 3D 9.2)

    Hello!
    I am currently setting up a HTPC with AMD A4-5300 with the integrated Radeon HD 7480D. To avoid the trouble with the fglrx driver, I would like to use the free xf86-video-ati driver.
    I thought this would be no problem since the update to Mesa 3D 9.2 (Package version 9.2.0-1) yesterday. This should have brought support for the UVD in the GPU when at least kernel 3.10 is installed (3.10.9-1 is).
    According to this Gentoo Wiki page, the Aruba GPU should use TAHITI_uvd.bin as the UVD firmware, the file exists in /usr/lib/firmware/radeon.
    But now to the problems with XBMC (12.2-5). When I boot up the system, select a for example x264 encoded video file it plays fine most of the time. Low CPU load indicates that hardware decoding actually is used. When I then stop the video and simply select it again in the file list, XBMC freezes. Restarting works most of the time to workaround the problem, so after a reboot XBMC manages to play the video most of the time.
    Sometimes it even freezes on the first attempt to start the movie. After just restarting X11, XBMC was never able to play a video file.
    Here is a portion of the logfile where a film is played, then stopped and then selected again, causing a freeze:
    19:14:30 T:139964276774656 NOTICE: Thread Background Loader start, auto delete: false
    19:14:34 T:139965115230144 NOTICE: Previous line repeats 1 times.
    19:14:34 T:139965115230144 NOTICE: DVDPlayer: Opening: smb://ANDI/xxx.mkv
    19:14:34 T:139965115230144 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:14:34 T:139964276774656 NOTICE: Thread CDVDPlayer start, auto delete: false
    19:14:34 T:139964276774656 NOTICE: Creating InputStream
    19:14:34 T:139964276774656 NOTICE: Creating Demuxer
    19:14:35 T:139964276774656 NOTICE: Opening video stream: 0 source: 256
    19:14:35 T:139964276774656 NOTICE: Creating video codec with codec id: 28
    19:14:35 T:139964276774656 NOTICE: CDVDVideoCodecFFmpeg::Open() Creating VDPAU(1920x1080, 28)
    19:14:35 T:139964276774656 NOTICE: vdp_device = 0x00000001 vdp_st = 0x00000000
    19:14:35 T:139964276774656 NOTICE: VDPAU Decoder capabilities:
    19:14:35 T:139964276774656 NOTICE: name level macbs width height
    19:14:35 T:139964276774656 NOTICE: ------------------------------------
    19:14:35 T:139964276774656 NOTICE: MPEG1 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: MPEG2_SIMPLE 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: MPEG2_MAIN 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: H264_BASELINE 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: H264_MAIN 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: H264_HIGH 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: VC1_SIMPLE 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: VC1_MAIN 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: VC1_ADVANCED 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: MPEG4_PART2_ASP 16 9216 2048 1152
    19:14:35 T:139964276774656 NOTICE: ------------------------------------
    19:14:35 T:139964276774656 NOTICE: Mixer feature: VDP_VIDEO_MIXER_FEATURE_NOISE_REDUCTION
    19:14:35 T:139964276774656 NOTICE: Mixer feature: VDP_VIDEO_MIXER_FEATURE_SHARPNESS
    19:14:35 T:139964276774656 NOTICE: CDVDVideoCodecFFmpeg::Open() Using codec: H.264 / AVC / MPEG-4 AVC / MPEG-4 part 10 (VDPAU acceleration)
    19:14:35 T:139964285167360 NOTICE: Thread CVideoReferenceClock start, auto delete: false
    19:14:36 T:139964276774656 NOTICE: Creating video thread
    19:14:36 T:139963235432192 NOTICE: Thread CDVDPlayerVideo start, auto delete: false
    19:14:36 T:139964276774656 NOTICE: Opening audio stream: 1 source: 256
    19:14:36 T:139964276774656 NOTICE: Finding audio codec for: 86020
    19:14:36 T:139964276774656 NOTICE: Creating audio thread
    19:14:36 T:139963235432192 NOTICE: running thread: video_thread
    19:14:36 T:139963227039488 NOTICE: Thread CDVDPlayerAudio start, auto delete: false
    19:14:36 T:139963227039488 NOTICE: running thread: CDVDPlayerAudio::Process()
    19:14:36 T:139963227039488 NOTICE: Creating audio stream (codec id: 86020, channels: 6, sample rate: 48000, no pass-through)
    19:14:36 T:139963235432192 NOTICE: (VDPAU) screenWidth:0 vidWidth:1920 surfaceWidth:1920
    19:14:36 T:139963235432192 NOTICE: (VDPAU) screenHeight:0 vidHeight:1080 surfaceHeight:1088
    19:14:36 T:139963235432192 NOTICE: Creating 1920x1080 pixmap
    19:14:36 T:139963235432192 NOTICE: (VDPAU) Total Output Surfaces Available: 2 of a max (tmp: 2 const: 4)
    19:14:36 T:139963235432192 NOTICE: (VDPAU) Creating the video mixer
    19:14:36 T:139963235432192 NOTICE: fps: 23.976024, pwidth: 1920, pheight: 1080, dwidth: 1920, dheight: 1080
    19:14:36 T:139963235432192 NOTICE: Display resolution ADJUST : HDMI-0: 1920x1080 @ 24.00Hz (21) (weight: 0.001)
    19:14:36 T:139965115230144 NOTICE: CVDPAU::OnLostDevice event
    19:14:36 T:139965115230144 NOTICE: (VDPAU) FiniVDPAUOutput
    19:14:36 T:139965115230144 ERROR: GLX: Same window as before, refreshing context
    19:14:36 T:139965115230144 NOTICE: Using GL_TEXTURE_2D
    19:14:36 T:139965115230144 NOTICE: GL: Using VDPAU render method
    19:14:36 T:139965115230144 NOTICE: GL: NPOT texture support detected
    19:14:36 T:139965115230144 NOTICE: GL: Using GL_ARB_pixel_buffer_object
    19:14:36 T:139965115230144 NOTICE: CVDPAU::OnResetDevice event
    19:14:36 T:139963235432192 NOTICE: Attempting recovery
    19:14:36 T:139963235432192 NOTICE: vdp_device = 0x00000001 vdp_st = 0x00000000
    19:14:36 T:139963235432192 NOTICE: (VDPAU) screenWidth:1920 vidWidth:1920 surfaceWidth:1920
    19:14:36 T:139963235432192 NOTICE: (VDPAU) screenHeight:1080 vidHeight:1080 surfaceHeight:1088
    19:14:36 T:139963235432192 NOTICE: Creating 1920x1080 pixmap
    19:14:36 T:139963235432192 NOTICE: (VDPAU) Total Output Surfaces Available: 2 of a max (tmp: 2 const: 4)
    19:14:36 T:139963235432192 NOTICE: (VDPAU) Creating the video mixer
    19:14:37 T:139965115230144 ERROR: CWinSystemX11::XErrorHandler: BadDrawable (invalid Pixmap or Window parameter), type:0, serial:12680, error_code:9, request_code:152 minor_code:8
    19:14:57 T:139965115230144 NOTICE: CDVDPlayer::CloseFile()
    19:14:57 T:139965115230144 NOTICE: DVDPlayer: waiting for threads to exit
    19:14:57 T:139964276774656 NOTICE: CDVDPlayer::OnExit()
    19:14:57 T:139964276774656 NOTICE: DVDPlayer: closing audio stream
    19:14:57 T:139964276774656 NOTICE: Closing audio stream
    19:14:57 T:139964276774656 NOTICE: Waiting for audio thread to exit
    19:14:57 T:139963227039488 NOTICE: thread end: CDVDPlayerAudio::OnExit()
    19:14:57 T:139964276774656 NOTICE: Closing audio device
    19:14:57 T:139964276774656 NOTICE: Deleting audio codec
    19:14:57 T:139964276774656 NOTICE: DVDPlayer: closing video stream
    19:14:57 T:139964276774656 NOTICE: Closing video stream
    19:14:57 T:139964276774656 NOTICE: waiting for video thread to exit
    19:14:57 T:139963235432192 NOTICE: thread end: video_thread
    19:14:57 T:139964276774656 NOTICE: deleting video codec
    19:14:57 T:139964276774656 NOTICE: CDVDPlayer::OnExit() deleting demuxer
    19:14:57 T:139964276774656 NOTICE: CDVDPlayer::OnExit() deleting input stream
    19:14:57 T:139965115230144 NOTICE: DVDPlayer: finished waiting
    19:14:57 T:139965115230144 NOTICE: (VDPAU) Close
    19:14:57 T:139965115230144 NOTICE: (VDPAU) FiniVDPAUOutput
    19:14:57 T:139965115230144 ERROR: GLX: Same window as before, refreshing context
    19:14:58 T:139963387606784 NOTICE: Thread Background Loader start, auto delete: false
    19:14:58 T:139965115230144 NOTICE: Previous line repeats 1 times.
    19:14:58 T:139965115230144 NOTICE: CDVDPlayer::CloseFile()
    19:14:58 T:139965115230144 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:14:58 T:139965115230144 NOTICE: DVDPlayer: waiting for threads to exit
    19:14:58 T:139965115230144 NOTICE: DVDPlayer: finished waiting
    19:15:09 T:139965115230144 NOTICE: DVDPlayer: Opening: smb://ANDI/xxx.mkv
    19:15:09 T:139965115230144 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:15:09 T:139964285167360 NOTICE: Thread CDVDPlayer start, auto delete: false
    19:15:09 T:139964285167360 NOTICE: Creating InputStream
    19:15:10 T:139964285167360 NOTICE: Creating Demuxer
    19:15:10 T:139964285167360 NOTICE: Opening video stream: 0 source: 256
    19:15:10 T:139964285167360 NOTICE: Creating video codec with codec id: 28
    19:15:10 T:139964285167360 NOTICE: CDVDVideoCodecFFmpeg::Open() Creating VDPAU(1920x1080, 28)
    Here a debug log from a similar action (play, stop, play, crash)
    19:21:23 T:139993780455360 NOTICE: DVDPlayer: Opening: smb://xxx.mkv
    19:21:23 T:139993780455360 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:21:23 T:139993780455360 DEBUG: CRenderManager::UpdateDisplayLatency - Latency set to 0 msec
    19:21:23 T:139993780455360 DEBUG: LinuxRendererGL: Cleaning up GL resources
    19:21:23 T:139993780455360 DEBUG: CLinuxRendererGL::PreInit - precision of luminance 16 is 16
    19:21:23 T:139993780455360 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avutil-51-x86_64-linux.so)
    19:21:23 T:139993780455360 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avutil-51-x86_64-linux.so
    19:21:23 T:139993780455360 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/swscale-2-x86_64-linux.so)
    19:21:23 T:139993780455360 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/swscale-2-x86_64-linux.so
    19:21:23 T:139992949044992 NOTICE: Thread CDVDPlayer start, auto delete: false
    19:21:23 T:139992949044992 NOTICE: Creating InputStream
    19:21:23 T:139992949044992 DEBUG: CSmbFile::Open - opened xxx.mkv, fd=10001
    19:21:23 T:139992949044992 DEBUG: ScanForExternalSubtitles: Searching for subtitles...
    19:21:23 T:139992949044992 DEBUG: OpenDir - Using authentication url smb://ANDI/Filme
    19:21:23 T:139993780455360 DEBUG: ------ Window Init (DialogBusy.xml) ------
    19:21:24 T:139992949044992 DEBUG: ScanForExternalSubtitles: END (total time: 639 ms)
    19:21:24 T:139992949044992 NOTICE: Creating Demuxer
    19:21:24 T:139992949044992 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avcodec-53-x86_64-linux.so)
    19:21:24 T:139992949044992 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avcodec-53-x86_64-linux.so
    19:21:24 T:139992949044992 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avformat-53-x86_64-linux.so)
    19:21:24 T:139992949044992 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avformat-53-x86_64-linux.so
    19:21:24 T:139992949044992 DEBUG: Open - probing detected format [matroska,webm]
    19:21:24 T:139992949044992 DEBUG: Open - avformat_find_stream_info starting
    19:21:24 T:139992949044992 DEBUG: Open - av_find_stream_info finished
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Input #0, matroska,webm, from 'smb://ANDI/xxx.mkv':
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Duration: 01:27:57.02, start: 0.000000, bitrate: 13143 kb/s
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Stream #0:0(ger): Video: h264 (High), yuv420p, 1920x1080 [SAR 1:1 DAR 16:9], 23.98 fps, 23.98 tbr, 1k tbn, 47.95 tbc (default)
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Stream #0:1(ger): Audio: dts (DTS), 48000 Hz, 5.1(side), s16, 1536 kb/s (default)
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Metadata:
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: title : German
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Stream #0:2(eng): Audio: dts (DTS), 48000 Hz, 5.1(side), s16, 1536 kb/s
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: Metadata:
    19:21:24 T:139992949044992 INFO: ffmpeg[A5FFB700]: title : English
    19:21:24 T:139992949044992 NOTICE: Opening video stream: 0 source: 256
    19:21:24 T:139992949044992 NOTICE: Creating video codec with codec id: 28
    19:21:24 T:139992949044992 DEBUG: CDVDFactoryCodec: compiled in hardware support: CrystalHD:no OpenMax:no VDPAU:yes VAAPI:yes
    19:21:24 T:139992949044992 DEBUG: FactoryCodec - Video: - Opening
    19:21:24 T:139992949044992 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/swresample-0-x86_64-linux.so)
    19:21:24 T:139992949044992 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/swresample-0-x86_64-linux.so
    19:21:24 T:139992949044992 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avfilter-2-x86_64-linux.so)
    19:21:24 T:139992949044992 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avfilter-2-x86_64-linux.so
    19:21:24 T:139992949044992 NOTICE: CDVDVideoCodecFFmpeg::Open() Creating VDPAU(1920x1080, 28)
    19:21:24 T:139992949044992 NOTICE: vdp_device = 0x00000001 vdp_st = 0x00000000
    19:21:24 T:139992949044992 NOTICE: VDPAU Decoder capabilities:
    19:21:24 T:139992949044992 NOTICE: name level macbs width height
    19:21:24 T:139992949044992 NOTICE: ------------------------------------
    19:21:24 T:139992949044992 NOTICE: MPEG1 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: MPEG2_SIMPLE 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: MPEG2_MAIN 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: H264_BASELINE 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: H264_MAIN 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: H264_HIGH 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: VC1_SIMPLE 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: VC1_MAIN 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: VC1_ADVANCED 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: MPEG4_PART2_ASP 16 9216 2048 1152
    19:21:24 T:139992949044992 NOTICE: ------------------------------------
    19:21:24 T:139992949044992 NOTICE: Mixer feature: VDP_VIDEO_MIXER_FEATURE_NOISE_REDUCTION
    19:21:24 T:139992949044992 NOTICE: Mixer feature: VDP_VIDEO_MIXER_FEATURE_SHARPNESS
    19:21:24 T:139992949044992 NOTICE: CDVDVideoCodecFFmpeg::Open() Using codec: H.264 / AVC / MPEG-4 AVC / MPEG-4 part 10 (VDPAU acceleration)
    19:21:24 T:139992949044992 DEBUG: FactoryCodec - Video: ff-h264_vdpau-vdpau - Opened
    19:21:24 T:139992957437696 NOTICE: Thread CVideoReferenceClock start, auto delete: false
    19:21:24 T:139992957437696 DEBUG: CVideoReferenceClock: Setting up GLX
    19:21:24 T:139992957437696 DEBUG: CVideoReferenceClock: GL_VENDOR:x.org, not using nvidia-settings
    19:21:24 T:139992957437696 DEBUG: CVideoReferenceClock: Using RandR for refreshrate detection
    19:21:24 T:139992957437696 DEBUG: CVideoReferenceClock: Detected refreshrate: 50 hertz
    19:21:24 T:139992949044992 NOTICE: Creating video thread
    19:21:24 T:139991896848128 NOTICE: Thread CDVDPlayerVideo start, auto delete: false
    19:21:24 T:139991896848128 NOTICE: running thread: video_thread
    19:21:24 T:139992949044992 NOTICE: Opening audio stream: 1 source: 256
    19:21:24 T:139992949044992 NOTICE: Finding audio codec for: 86020
    19:21:24 T:139991896848128 DEBUG: CDVDPlayerVideo - CDVDMsg::GENERAL_SYNCHRONIZE
    19:21:24 T:139992949044992 DEBUG: FactoryCodec - Audio: FFmpeg - Opening
    19:21:24 T:139992949044992 DEBUG: FactoryCodec - Audio: FFmpeg - Opened
    19:21:24 T:139992949044992 NOTICE: Creating audio thread
    19:21:24 T:139991888455424 NOTICE: Thread CDVDPlayerAudio start, auto delete: false
    19:21:24 T:139991888455424 NOTICE: running thread: CDVDPlayerAudio::Process()
    19:21:24 T:139992949044992 DEBUG: ReadEditDecisionLists - Checking for edit decision lists (EDL) on local drive or remote share for: smb://ANDI/xxx.mkv
    19:21:24 T:139992949044992 DEBUG: CDVDPlayer::SetCaching - caching state 3
    19:21:24 T:139991896848128 INFO: CDVDPlayerVideo - Stillframe left, switching to normal playback
    19:21:25 T:139991888455424 NOTICE: Creating audio stream (codec id: 86020, channels: 6, sample rate: 48000, no pass-through)
    19:21:25 T:139991888455424 INFO: CSoftAE::MakeStream - AE_FMT_S16NE, 48000, FL,FR,FC,LFE,SL,SR
    19:21:25 T:139991896848128 NOTICE: (VDPAU) screenWidth:0 vidWidth:1920 surfaceWidth:1920
    19:21:25 T:139991896848128 NOTICE: (VDPAU) screenHeight:0 vidHeight:1080 surfaceHeight:1088
    19:21:25 T:139993780455360 DEBUG: CGUIInfoManager::SetCurrentMovie(smb://ANDI/xxx.mkv)
    19:21:25 T:139993780455360 DEBUG: GetMovieId (smb://ANDI/xxx.mkv), query = select idMovie from movie where idFile=17
    19:21:25 T:139993780455360 DEBUG: CAnnouncementManager - Announcement: OnPlay from xbmc
    19:21:25 T:139993780455360 DEBUG: GOT ANNOUNCEMENT, type: 1, from xbmc, message OnPlay
    19:21:25 T:139993780455360 DEBUG: Building didl for object 'smb://ANDI/xxx.mkv'
    19:21:25 T:139991896848128 DEBUG: CDVDPlayerVideo - CDVDMsg::GENERAL_RESYNC(167000.000000, 0)
    19:21:25 T:139991896848128 NOTICE: Creating 1920x1080 pixmap
    19:21:25 T:139993337231104 DEBUG: CSoftAE::Run - Sink restart flagged
    19:21:25 T:139993337231104 INFO: CSoftAE::LoadSettings - Stereo upmix is enabled
    19:21:25 T:139993337231104 INFO: CSoftAE::InternalOpenSink - sink incompatible, re-starting
    19:21:25 T:139991896848128 DEBUG: Found 60 fbconfigs.
    19:21:25 T:139991896848128 DEBUG: Using fbconfig index 0.
    19:21:25 T:139991896848128 NOTICE: (VDPAU) Total Output Surfaces Available: 2 of a max (tmp: 2 const: 4)
    19:21:25 T:139991896848128 NOTICE: (VDPAU) Creating the video mixer
    19:21:25 T:139991896848128 NOTICE: fps: 23.976024, pwidth: 1920, pheight: 1080, dwidth: 1920, dheight: 1080
    19:21:25 T:139991896848128 DEBUG: OutputPicture - change configuration. 1920x1080. framerate: 23.98. format: VDPAU
    19:21:25 T:139991896848128 NOTICE: Display resolution ADJUST : HDMI-0: 1920x1080 @ 24.00Hz (21) (weight: 0.001)
    19:21:25 T:139991896848128 DEBUG: CVideoReferenceClock: Clock speed 100.100000%
    19:21:25 T:139993780455360 NOTICE: Using GL_TEXTURE_2D
    19:21:25 T:139993780455360 NOTICE: GL: Using VDPAU render method
    19:21:25 T:139993780455360 NOTICE: GL: NPOT texture support detected
    19:21:25 T:139993780455360 NOTICE: GL: Using GL_ARB_pixel_buffer_object
    19:21:25 T:139993780455360 DEBUG: Activating window ID: 12005
    19:21:25 T:139993780455360 DEBUG: ------ Window Deinit (MyVideoNav.xml) ------
    19:21:25 T:139993780455360 DEBUG: OnLostDevice - notify display change event
    19:21:25 T:139993780455360 DEBUG: Flush - flushing renderer
    19:21:25 T:139993780455360 NOTICE: CVDPAU::OnLostDevice event
    19:21:25 T:139993780455360 DEBUG: GLX: Destroying glPixmap
    19:21:25 T:139993780455360 DEBUG: GLX: Destroying XPixmap
    19:21:25 T:139993780455360 NOTICE: (VDPAU) FiniVDPAUOutput
    19:21:25 T:139993780455360 INFO: XRANDR: /usr/lib/xbmc/xbmc-xrandr --output HDMI-0 --mode 0x4a
    19:21:25 T:139993337231104 INFO: CAESinkALSA::Initialize - Attempting to open device "@"
    19:21:25 T:139993337231104 INFO: CAESinkALSA::Initialize - Opened device "surround51"
    19:21:25 T:139993337231104 INFO: CAESinkALSA::InitializeHW - Your hardware does not support AE_FMT_FLOAT, trying other formats
    19:21:25 T:139993337231104 INFO: CAESinkALSA::InitializeHW - Using data format AE_FMT_S24NE4
    19:21:25 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Request: periodSize 2400, bufferSize 9600
    19:21:25 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Got: periodSize 2400, bufferSize 9600
    19:21:25 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Setting timeout to 200 ms
    19:21:25 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - ALSA Initialized:
    19:21:25 T:139993337231104 DEBUG: Output Device : Default (Xonar DX Multichannel)
    19:21:25 T:139993337231104 DEBUG: Sample Rate : 48000
    19:21:25 T:139993337231104 DEBUG: Sample Format : AE_FMT_S24NE4
    19:21:25 T:139993337231104 DEBUG: Channel Count : 6
    19:21:25 T:139993337231104 DEBUG: Channel Layout: FL,FR,BL,BR,FC,LFE
    19:21:25 T:139993337231104 DEBUG: Frames : 2400
    19:21:25 T:139993337231104 DEBUG: Frame Samples : 14400
    19:21:25 T:139993337231104 DEBUG: Frame Size : 24
    19:21:25 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Using speaker layout: 5.1
    19:21:25 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Internal Buffer Size: 57600
    19:21:25 T:139993337231104 DEBUG: AERemap: Downmix normalization is disabled
    19:21:25 T:139992949044992 DEBUG: Previous line repeats 4 times.
    19:21:25 T:139992949044992 DEBUG: CDVDPlayer::SetCaching - caching state 0
    19:21:25 T:139993337231104 DEBUG: AERemap: Downmix normalization is disabled
    19:21:25 T:139993337231104 DEBUG: Previous line repeats 1 times.
    19:21:25 T:139993337231104 DEBUG: CSoftAEStream::CSoftAEStream - Converting from AE_FMT_S16NE to AE_FMT_FLOAT
    19:21:25 T:139991888455424 DEBUG: CDVDPlayerAudio:: synctype set to 2: resample
    19:21:25 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:4139.147000, should be:99.419667, error:-4039.727333
    19:21:25 T:139991888455424 DEBUG: CDVDPlayerAudio - CDVDMsg::GENERAL_RESYNC(10000.000000, 1)
    19:21:25 T:139992949044992 DEBUG: CDVDPlayer::HandleMessages - player started 1
    19:21:25 T:139993337231104 DEBUG: CSoftAE::Run - Sink restart flagged
    19:21:25 T:139993337231104 INFO: CSoftAE::LoadSettings - Stereo upmix is enabled
    19:21:25 T:139993337231104 INFO: CSoftAE::InternalOpenSink - keeping old sink with : AE_FMT_FLOAT, FL,FR,FC,BL,BR,LFE, 48000hz
    19:21:25 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Using speaker layout: 5.1
    19:21:25 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Internal Buffer Size: 57600
    19:21:25 T:139992957437696 DEBUG: CVideoReferenceClock: detected 1 vblanks, missed 2, refreshrate might have changed
    19:21:25 T:139993780455360 ERROR: GLX: Same window as before, refreshing context
    19:21:25 T:139993780455360 INFO: GL: Maximum texture width: 16384
    19:21:25 T:139993780455360 DEBUG: CRenderManager::UpdateDisplayLatency - Latency set to 0 msec
    19:21:25 T:139993780455360 DEBUG: ------ Window Init (VideoFullScreen.xml) ------
    19:21:25 T:139993780455360 INFO: Loading skin file: VideoFullScreen.xml, load type: KEEP_IN_MEMORY
    19:21:25 T:139993780455360 NOTICE: Using GL_TEXTURE_2D
    19:21:25 T:139991896848128 NOTICE: CVDPAU::Check waiting for display reset event
    19:21:25 T:139993780455360 NOTICE: GL: Using VDPAU render method
    19:21:25 T:139993780455360 NOTICE: GL: NPOT texture support detected
    19:21:25 T:139993780455360 NOTICE: GL: Using GL_ARB_pixel_buffer_object
    19:21:25 T:139993780455360 DEBUG: CheckDisplayEvents: Received RandR event 89
    19:21:25 T:139993780455360 DEBUG: CheckDisplayEvents - notify display reset event
    19:21:25 T:139993780455360 NOTICE: CVDPAU::OnResetDevice event
    19:21:25 T:139991896848128 NOTICE: Attempting recovery
    19:21:25 T:139991896848128 NOTICE: vdp_device = 0x00000001 vdp_st = 0x00000000
    19:21:25 T:139991896848128 DEBUG: CDVDPlayerVideo - video decoder was flushed
    19:21:25 T:139991896848128 DEBUG: CVDPAU::FFReleaseBuffer - ignoring invalid buffer
    19:21:25 T:139991896848128 DEBUG: Previous line repeats 3 times.
    19:21:25 T:139991896848128 NOTICE: (VDPAU) screenWidth:1920 vidWidth:1920 surfaceWidth:1920
    19:21:25 T:139991896848128 NOTICE: (VDPAU) screenHeight:1080 vidHeight:1080 surfaceHeight:1088
    19:21:25 T:139992949044992 DEBUG: CDVDPlayer::HandleMessages - player started 2
    19:21:25 T:139991896848128 NOTICE: Creating 1920x1080 pixmap
    19:21:25 T:139991896848128 DEBUG: Found 60 fbconfigs.
    19:21:25 T:139991896848128 DEBUG: Using fbconfig index 0.
    19:21:25 T:139991896848128 NOTICE: (VDPAU) Total Output Surfaces Available: 2 of a max (tmp: 2 const: 4)
    19:21:25 T:139991896848128 NOTICE: (VDPAU) Creating the video mixer
    19:21:25 T:139991896848128 DEBUG: CVideoReferenceClock: Clock speed 104.270833%
    19:21:25 T:139993780455360 DEBUG: ------ Window Deinit (DialogBusy.xml) ------
    19:21:25 T:139993780455360 ERROR: CWinSystemX11::XErrorHandler: BadDrawable (invalid Pixmap or Window parameter), type:0, serial:19101, error_code:9, request_code:152 minor_code:8
    19:21:26 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:597724.273333, should be:497666.666667, error:-100057.606667
    19:21:26 T:139992957437696 DEBUG: CVideoReferenceClock: Received RandR event 89
    19:21:27 T:139992957437696 DEBUG: CVideoReferenceClock: Detected refreshrate: 24 hertz
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:941996.125667, should be:782833.402667, error:-159162.723000
    19:21:27 T:139991896848128 DEBUG: CVideoReferenceClock: Clock speed 100.100000%
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:1096842.754667, should be:1310812.627000, error:213969.872333
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:1410874.922000, should be:1543306.990333, error:132432.068333
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:1692760.338333, should be:1830683.329000, error:137922.990667
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:1931490.324000, should be:2062739.533667, error:131249.209667
    19:21:27 T:139991888455424 DEBUG: CDVDPlayerAudio:: Discontinuity1 - was:2212469.159667, should be:2347929.139333, error:135459.979667
    19:21:30 T:139991896848128 DEBUG: CPullupCorrection: detected pattern of length 1: 41708.33, frameduration: 41708.333333
    19:21:31 T:139992932259584 DEBUG: webserver: request received for /jsonrpc
    19:21:31 T:139992932259584 DEBUG: JSONRPC: Incoming request: [{"id":0,"jsonrpc":"2.0","method":"Player.GetActivePlayers"},{"id":1,"jsonrpc":"2.0","method":"Application.GetProperties","params":{"properties":["volume","muted"]}}]
    19:21:31 T:139992932259584 DEBUG: JSONRPC: Calling player.getactiveplayers
    19:21:31 T:139992932259584 DEBUG: JSONRPC: Calling application.getproperties
    19:21:36 T:139992932259584 DEBUG: webserver: request received for /jsonrpc
    19:21:36 T:139992932259584 DEBUG: JSONRPC: Incoming request: [{"id":2,"jsonrpc":"2.0","method":"Player.GetProperties","params":{"playerid":1,"properties":["audiostreams","canseek","currentaudiostream","currentsubtitle","partymode","playlistid","position","repeat","shuffled","speed","subtitleenabled","subtitles","time","totaltime","type"]}},{"id":3,"jsonrpc":"2.0","method":"Player.GetItem","params":{"playerid":1,"properties":["album","albumartist","artist","director","episode","fanart","file","genre","plot","rating","season","showtitle","studio","imdbnumber","tagline","thumbnail","title","track","writer","year","streamdetails","originaltitle"]}}]
    19:21:36 T:139992932259584 DEBUG: JSONRPC: Calling player.getproperties
    19:21:36 T:139992932259584 DEBUG: JSONRPC: Calling player.getitem
    19:21:38 T:139993780455360 DEBUG: Keyboard: scancode: ae, sym: 00b2, unicode: 0000, modifier: 0
    19:21:38 T:139993780455360 DEBUG: OnKey: stop (f0bc) pressed, action is Stop
    19:21:38 T:139993780455360 NOTICE: CDVDPlayer::CloseFile()
    19:21:38 T:139993780455360 NOTICE: DVDPlayer: waiting for threads to exit
    19:21:38 T:139992949044992 NOTICE: CDVDPlayer::OnExit()
    19:21:38 T:139992949044992 NOTICE: DVDPlayer: closing audio stream
    19:21:38 T:139992949044992 NOTICE: Closing audio stream
    19:21:38 T:139992949044992 NOTICE: Waiting for audio thread to exit
    19:21:38 T:139991888455424 NOTICE: thread end: CDVDPlayerAudio::OnExit()
    19:21:38 T:139991888455424 DEBUG: Thread CDVDPlayerAudio 139991888455424 terminating
    19:21:38 T:139992949044992 NOTICE: Closing audio device
    19:21:38 T:139992949044992 DEBUG: CSoftAEStream::~CSoftAEStream - Destructed
    19:21:38 T:139992949044992 NOTICE: Deleting audio codec
    19:21:38 T:139992949044992 NOTICE: DVDPlayer: closing video stream
    19:21:38 T:139992949044992 NOTICE: Closing video stream
    19:21:38 T:139992949044992 NOTICE: waiting for video thread to exit
    19:21:38 T:139993337231104 DEBUG: CSoftAE::Run - Sink restart flagged
    19:21:38 T:139993337231104 INFO: CSoftAE::LoadSettings - Stereo upmix is enabled
    19:21:38 T:139993337231104 INFO: CSoftAE::InternalOpenSink - sink incompatible, re-starting
    19:21:39 T:139991896848128 NOTICE: thread end: video_thread
    19:21:39 T:139991896848128 DEBUG: Thread CDVDPlayerVideo 139991896848128 terminating
    19:21:39 T:139992949044992 NOTICE: deleting video codec
    19:21:39 T:139992949044992 NOTICE: CDVDPlayer::OnExit() deleting demuxer
    19:21:39 T:139992949044992 NOTICE: CDVDPlayer::OnExit() deleting input stream
    19:21:39 T:139992949044992 DEBUG: CSmbFile::Close closing fd 10001
    19:21:39 T:139992949044992 DEBUG: CAnnouncementManager - Announcement: OnStop from xbmc
    19:21:39 T:139992949044992 DEBUG: GOT ANNOUNCEMENT, type: 1, from xbmc, message OnStop
    19:21:39 T:139992949044992 DEBUG: Thread CDVDPlayer 139992949044992 terminating
    19:21:39 T:139993780455360 NOTICE: DVDPlayer: finished waiting
    19:21:39 T:139993780455360 DEBUG: LinuxRendererGL: Cleaning up GL resources
    19:21:39 T:139993780455360 NOTICE: (VDPAU) Close
    19:21:39 T:139993780455360 DEBUG: GLX: Destroying glPixmap
    19:21:39 T:139993780455360 DEBUG: GLX: Destroying XPixmap
    19:21:39 T:139993780455360 NOTICE: (VDPAU) FiniVDPAUOutput
    19:21:39 T:139993780455360 DEBUG: CGUIWindowManager::PreviousWindow: Deactivate
    19:21:39 T:139993780455360 DEBUG: ------ Window Deinit (VideoFullScreen.xml) ------
    19:21:39 T:139993780455360 DEBUG: OnLostDevice - notify display change event
    19:21:39 T:139993780455360 DEBUG: Flush - flushing renderer
    19:21:39 T:139993780455360 INFO: XRANDR: /usr/lib/xbmc/xbmc-xrandr --output HDMI-0 --mode 0x47
    19:21:39 T:139993337231104 INFO: CAESinkALSA::Initialize - Attempting to open device "@"
    19:21:39 T:139993337231104 INFO: CAESinkALSA::Initialize - Opened device "surround51"
    19:21:39 T:139993337231104 INFO: CAESinkALSA::InitializeHW - Your hardware does not support AE_FMT_FLOAT, trying other formats
    19:21:39 T:139993337231104 INFO: CAESinkALSA::InitializeHW - Using data format AE_FMT_S24NE4
    19:21:39 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Request: periodSize 2205, bufferSize 8820
    19:21:39 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Got: periodSize 2204, bufferSize 8820
    19:21:39 T:139993337231104 DEBUG: CAESinkALSA::InitializeHW - Setting timeout to 200 ms
    19:21:39 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - ALSA Initialized:
    19:21:39 T:139993337231104 DEBUG: Output Device : Default (Xonar DX Multichannel)
    19:21:39 T:139993337231104 DEBUG: Sample Rate : 44100
    19:21:39 T:139993337231104 DEBUG: Sample Format : AE_FMT_S24NE4
    19:21:39 T:139993337231104 DEBUG: Channel Count : 6
    19:21:39 T:139993337231104 DEBUG: Channel Layout: FL,FR,BL,BR,FC,LFE
    19:21:39 T:139993337231104 DEBUG: Frames : 2204
    19:21:39 T:139993337231104 DEBUG: Frame Samples : 13224
    19:21:39 T:139993337231104 DEBUG: Frame Size : 24
    19:21:39 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Using speaker layout: 5.1
    19:21:39 T:139993337231104 DEBUG: CSoftAE::InternalOpenSink - Internal Buffer Size: 52896
    19:21:39 T:139993337231104 DEBUG: AERemap: Downmix normalization is disabled
    19:21:39 T:139993780455360 DEBUG: Previous line repeats 5 times.
    19:21:39 T:139993780455360 ERROR: GLX: Same window as before, refreshing context
    19:21:39 T:139993780455360 INFO: GL: Maximum texture width: 16384
    19:21:39 T:139993780455360 DEBUG: CRenderManager::UpdateDisplayLatency - Latency set to 0 msec
    19:21:39 T:139993780455360 DEBUG: CheckDisplayEvents: Received RandR event 89
    19:21:39 T:139993780455360 DEBUG: CheckDisplayEvents - notify display reset event
    19:21:39 T:139993780455360 DEBUG: CGUIWindowManager::PreviousWindow: Activate new
    19:21:39 T:139993780455360 DEBUG: ------ Window Init (MyVideoNav.xml) ------
    19:21:39 T:139993780455360 DEBUG: CGUIMediaWindow::GetDirectory (videodb://1/2/)
    19:21:39 T:139993780455360 DEBUG: ParentPath = [videodb://1/2/]
    19:21:39 T:139993780455360 DEBUG: RunQuery took 8 ms for 357 items query: select * from movieview
    19:21:39 T:139992126953216 NOTICE: Thread Background Loader start, auto delete: false
    19:21:39 T:139992126953216 DEBUG: Thread Background Loader 139992126953216 terminating
    19:21:39 T:139992126953216 NOTICE: Thread Background Loader start, auto delete: false
    19:21:39 T:139992126953216 DEBUG: Thread Background Loader 139992126953216 terminating
    19:21:39 T:139993780455360 DEBUG: ExecuteXBMCAction : Translating ClearProperty(BrowseActors,home)
    19:21:39 T:139993780455360 DEBUG: ExecuteXBMCAction : To ClearProperty(BrowseActors,home)
    19:21:39 T:139993780455360 NOTICE: CDVDPlayer::CloseFile()
    19:21:39 T:139993780455360 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:21:39 T:139993780455360 NOTICE: DVDPlayer: waiting for threads to exit
    19:21:39 T:139993780455360 NOTICE: DVDPlayer: finished waiting
    19:21:39 T:139993780455360 DEBUG: LinuxRendererGL: Cleaning up GL resources
    19:21:39 T:139992957437696 DEBUG: CVideoReferenceClock: Cleaning up GLX
    19:21:39 T:139992957437696 DEBUG: Thread CVideoReferenceClock 139992957437696 terminating
    19:21:39 T:139991938168576 DEBUG: DoWork - Saving file state for video item smb://ANDI/xxx.mkv
    19:21:39 T:139991938168576 DEBUG: CAnnouncementManager - Announcement: OnUpdate from xbmc
    19:21:39 T:139991938168576 DEBUG: GOT ANNOUNCEMENT, type: 16, from xbmc, message OnUpdate
    19:21:40 T:139993069709056 DEBUG: JSONRPC: Incoming request: {"jsonrpc": "2.0", "id": 1, "method": "VideoLibrary.GetMovies", "params": {"properties": ["title", "originaltitle", "playcount", "year", "genre", "studio", "country", "tagline", "plot", "runtime", "file", "plotoutline", "lastplayed", "trailer", "rating", "resume", "art", "streamdetails", "mpaa", "director"], "limits": {"end": 20}, "sort": {"order": "descending", "method": "lastplayed"}, "filter": {"field": "inprogress", "operator": "true", "value": ""}}}
    19:21:40 T:139993069709056 DEBUG: JSONRPC: Calling videolibrary.getmovies
    19:21:40 T:139993069709056 DEBUG: RunQuery took 1 ms for 1 items query: select * from movieview WHERE (movieview.idFile IN (select idFile from bookmark where type = 1))
    19:21:40 T:139993069709056 DEBUG: JSONRPC: Incoming request: {"jsonrpc": "2.0", "id": 1, "method": "VideoLibrary.GetMovies", "params": {"properties": ["title", "originaltitle", "playcount", "year", "genre", "studio", "country", "tagline", "plot", "runtime", "file", "plotoutline", "lastplayed", "trailer", "rating", "resume", "art", "streamdetails", "mpaa", "director"], "limits": {"end": 20}, "sort": {"order": "descending", "method": "dateadded"}, "filter": {"field": "playcount", "operator": "is", "value": "0"}}}
    19:21:40 T:139993069709056 DEBUG: JSONRPC: Calling videolibrary.getmovies
    19:21:40 T:139993069709056 DEBUG: RunQuery took 9 ms for 183 items query: select * from movieview WHERE ((movieview.playCount IS NULL OR movieview.playCount = 0))
    19:21:43 T:139993780455360 DEBUG: Keyboard: scancode: 24, sym: 000d, unicode: 000d, modifier: 0
    19:21:43 T:139993780455360 DEBUG: OnKey: return (f00d) pressed, action is Select
    19:21:43 T:139993780455360 DEBUG: OnPlayMedia smb://ANDI/xxx.mkv
    19:21:43 T:139993780455360 DEBUG: CAnnouncementManager - Announcement: OnClear from xbmc
    19:21:43 T:139993780455360 DEBUG: GOT ANNOUNCEMENT, type: 2, from xbmc, message OnClear
    19:21:43 T:139993780455360 DEBUG: CAnnouncementManager - Announcement: OnAdd from xbmc
    19:21:43 T:139993780455360 DEBUG: GOT ANNOUNCEMENT, type: 2, from xbmc, message OnAdd
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers(smb://ANDI/xxx.mkv)
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: system rules
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: matches rule: system rules
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtv
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: hdhomerun/myth/mms/udp
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: lastfm/shout
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtmp
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtsp
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: streams
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: dvd
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: dvdimage
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: sdp/asf
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: nsv
    19:21:43 T:139993780455360 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: radio
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: matched 0 rules with players
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: adding videodefaultplayer (1)
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: for video=1, audio=0
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: for video=1, audio=1
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: adding player: DVDPlayer (1)
    19:21:43 T:139993780455360 DEBUG: CPlayerCoreFactory::GetPlayers: added 1 players
    19:21:43 T:139993780455360 NOTICE: DVDPlayer: Opening: smb://ANDI/xxx.mkv
    19:21:43 T:139993780455360 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:21:43 T:139993780455360 DEBUG: CRenderManager::UpdateDisplayLatency - Latency set to 0 msec
    19:21:43 T:139993780455360 DEBUG: LinuxRendererGL: Cleaning up GL resources
    19:21:43 T:139993780455360 DEBUG: CLinuxRendererGL::PreInit - precision of luminance 16 is 16
    19:21:43 T:139992957437696 NOTICE: Thread CDVDPlayer start, auto delete: false
    19:21:43 T:139992957437696 NOTICE: Creating InputStream
    19:21:43 T:139992957437696 DEBUG: CSmbFile::Open - opened xxx.mkv, fd=10001
    19:21:43 T:139992957437696 DEBUG: ScanForExternalSubtitles: Searching for subtitles...
    19:21:43 T:139992957437696 DEBUG: OpenDir - Using authentication url smb://ANDI/Filme
    19:21:43 T:139993780455360 DEBUG: ------ Window Init (DialogBusy.xml) ------
    19:21:43 T:139992957437696 DEBUG: ScanForExternalSubtitles: END (total time: 648 ms)
    19:21:43 T:139992957437696 NOTICE: Creating Demuxer
    19:21:43 T:139992957437696 DEBUG: Open - probing detected format [matroska,webm]
    19:21:43 T:139992957437696 DEBUG: Open - avformat_find_stream_info starting
    19:21:44 T:139992957437696 DEBUG: Open - av_find_stream_info finished
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Input #0, matroska,webm, from 'smb://ANDI/xxx.mkv':
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Duration: 01:27:57.02, start: 0.000000, bitrate: 13143 kb/s
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Stream #0:0(ger): Video: h264 (High), yuv420p, 1920x1080 [SAR 1:1 DAR 16:9], 23.98 fps, 23.98 tbr, 1k tbn, 47.95 tbc (default)
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Stream #0:1(ger): Audio: dts (DTS), 48000 Hz, 5.1(side), s16, 1536 kb/s (default)
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Metadata:
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: title : German
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Stream #0:2(eng): Audio: dts (DTS), 48000 Hz, 5.1(side), s16, 1536 kb/s
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: Metadata:
    19:21:44 T:139992957437696 INFO: ffmpeg[A67FC700]: title : English
    19:21:44 T:139992957437696 NOTICE: Opening video stream: 0 source: 256
    19:21:44 T:139992957437696 NOTICE: Creating video codec with codec id: 28
    19:21:44 T:139992957437696 DEBUG: CDVDFactoryCodec: compiled in hardware support: CrystalHD:no OpenMax:no VDPAU:yes VAAPI:yes
    19:21:44 T:139992957437696 DEBUG: FactoryCodec - Video: - Opening
    19:21:44 T:139992957437696 NOTICE: CDVDVideoCodecFFmpeg::Open() Creating VDPAU(1920x1080, 28)
    19:21:46 T:139992932259584 DEBUG: webserver: request received for /jsonrpc
    19:21:46 T:139992932259584 DEBUG: JSONRPC: Incoming request: [{"id":0,"jsonrpc":"2.0","method":"Player.GetActivePlayers"},{"id":1,"jsonrpc":"2.0","method":"Application.GetProperties","params":{"properties":["volume","muted"]}}]
    19:21:46 T:139992932259584 DEBUG: JSONRPC: Calling player.getactiveplayers
    19:21:46 T:139992932259584 DEBUG: JSONRPC: Calling application.getproperties
    19:21:47 T:139992823219968 DEBUG: webserver: request received for /image/image%3A%2F%2Fhttp%253a%252f%252fcf2.imgobject.com%252ft%252fp%252foriginal%252frbrQPjl2n4gTPsPXim9ckpRuycg.jpg%2F
    19:21:48 T:139992823219968 DEBUG: webserver: request received for /jsonrpc
    19:21:48 T:139992823219968 DEBUG: JSONRPC: Incoming request: [{"id":0,"jsonrpc":"2.0","method":"Player.GetActivePlayers"},{"id":1,"jsonrpc":"2.0","method":"Application.GetProperties","params":{"properties":["volume","muted"]}}]
    19:21:48 T:139992823219968 DEBUG: JSONRPC: Calling player.getactiveplayers
    19:21:48 T:139992823219968 DEBUG: JSONRPC: Calling application.getproperties
    19:21:48 T:139992932259584 DEBUG: webserver: request received for /image/image%3A%2F%2Fhttp%253a%252f%252fcf2.imgobject.com%252ft%252fp%252foriginal%252frbrQPjl2n4gTPsPXim9ckpRuycg.jpg%2F
    19:21:53 T:139993337231104 DEBUG: Previous line repeats 2 times.
    19:21:53 T:139993337231104 DEBUG: Suspended the Sink
    Playing Live TV with xvdr (0.9.8-1, self compiled and packaged from github) fails every time with a freeze:
    19:48:04 T:140440470034368 DEBUG: ------ Window Init (MyPVR.xml) ------
    19:48:04 T:140440470034368 INFO: Loading skin file: MyPVR.xml, load type: LOAD_EVERY_TIME
    19:48:04 T:140440470034368 DEBUG: CGUIMediaWindow::GetDirectory ()
    19:48:04 T:140440470034368 DEBUG: ParentPath = []
    19:48:04 T:140440470034368 DEBUG: CGUIWindowPVRCommon - OnMessageFocus - focus set to window 'tv'
    19:48:04 T:140440470034368 DEBUG: CGUIWindowPVRChannels - UpdateData - update window 'tv'. set view to 11
    19:48:04 T:140440470034368 DEBUG: CGUIMediaWindow::GetDirectory (pvr://channels/tv/Alle TV-Kanäle/)
    19:48:04 T:140440470034368 DEBUG: ParentPath = []
    19:48:04 T:140438627669760 DEBUG: CPVRDirectory::GetDirectory(pvr://channels/tv/Alle TV-Kanäle)
    19:48:04 T:140439491426048 NOTICE: Thread PVR Channel Window start, auto delete: false
    19:48:04 T:140440470034368 DEBUG: CGUIWindowPVRCommon - OnMessageFocus - focus set to window 'tv'
    19:48:05 T:140440470034368 DEBUG: Previous line repeats 1 times.
    19:48:05 T:140440470034368 DEBUG: Keyboard: scancode: 24, sym: 000d, unicode: 000d, modifier: 0
    19:48:05 T:140440470034368 DEBUG: OnKey: return (f00d) pressed, action is Select
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers(pvr://channels/tv/Alle TV-Kanäle/0.pvr)
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: system rules
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: matches rule: system rules
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtv
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: hdhomerun/myth/mms/udp
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: lastfm/shout
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtmp
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: rtsp
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: streams
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: dvd
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: dvdimage
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: sdp/asf
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: nsv
    19:48:06 T:140440470034368 DEBUG: CPlayerSelectionRule::GetPlayers: considering rule: radio
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: matched 0 rules with players
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: adding videodefaultplayer (1)
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: for video=1, audio=0
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: for video=1, audio=1
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: adding player: DVDPlayer (1)
    19:48:06 T:140440470034368 DEBUG: CPlayerCoreFactory::GetPlayers: added 1 players
    19:48:06 T:140440470034368 NOTICE: DVDPlayer: Opening: pvr://channels/tv/Alle TV-Kanäle/0.pvr
    19:48:06 T:140440470034368 WARNING: CDVDMessageQueue(player)::Put MSGQ_NOT_INITIALIZED
    19:48:06 T:140440470034368 DEBUG: CRenderManager::UpdateDisplayLatency - Latency set to 0 msec
    19:48:06 T:140440470034368 DEBUG: LinuxRendererGL: Cleaning up GL resources
    19:48:06 T:140440470034368 DEBUG: CLinuxRendererGL::PreInit - precision of luminance 16 is 16
    19:48:06 T:140440470034368 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avutil-51-x86_64-linux.so)
    19:48:06 T:140440470034368 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avutil-51-x86_64-linux.so
    19:48:06 T:140440470034368 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/swscale-2-x86_64-linux.so)
    19:48:06 T:140440470034368 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/swscale-2-x86_64-linux.so
    19:48:06 T:140438879053568 NOTICE: Thread CDVDPlayer start, auto delete: false
    19:48:06 T:140438879053568 NOTICE: Creating InputStream
    19:48:06 T:140438879053568 DEBUG: PVRManager - OpenLiveStream - opening live stream on channel 'Das Erste HD'
    19:48:06 T:140438879053568 DEBUG: opening live stream for channel 'Das Erste HD'
    19:48:06 T:140440470034368 DEBUG: ------ Window Init (DialogBusy.xml) ------
    19:48:06 T:140438879053568 DEBUG: AddOnLog: VDR XVDR Client: Possible leak caused by workaround in GetLanguageCode
    19:48:06 T:140438879053568 INFO: AddOnLog: VDR XVDR Client: Logged in at '1377798483+7200' to 'VDR-XVDR Server' Version: '0.9.9' with protocol version '4'
    19:48:06 T:140438879053568 INFO: AddOnLog: VDR XVDR Client: Preferred Audio Language: deu
    19:48:06 T:140438879053568 DEBUG: AddOnLog: VDR XVDR Client: changing to channel 1640430212 (priority 50)
    19:48:06 T:140438879053568 INFO: AddOnLog: VDR XVDR Client: sucessfully switched channel
    19:48:06 T:140438879053568 DEBUG: PVRFile - Open - playback has started on filename pvr://channels/tv/Alle TV-Kanäle/0.pvr
    19:48:06 T:140438879053568 DEBUG: CDVDInputStreamPVRManager::Open - stream opened: pvr://channels/tv/Alle TV-Kanäle/0.pvr
    19:48:06 T:140438879053568 NOTICE: Creating Demuxer
    19:48:06 T:140438879053568 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avcodec-53-x86_64-linux.so)
    19:48:06 T:140438879053568 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avcodec-53-x86_64-linux.so
    19:48:06 T:140438879053568 DEBUG: CDVDPlayer::SetCaching - caching state 2
    19:48:06 T:140438879053568 WARNING: CDVDMessageQueue(audio)::Put MSGQ_NOT_INITIALIZED
    19:48:06 T:140438879053568 WARNING: CDVDMessageQueue(video)::Put MSGQ_NOT_INITIALIZED
    19:48:06 T:140440470034368 DEBUG: CGUIInfoManager::SetCurrentMovie(pvr://channels/tv/Alle TV-Kanäle/0.pvr)
    19:48:06 T:140440470034368 DEBUG: CAnnouncementManager - Announcement: OnPlay from xbmc
    19:48:06 T:140440470034368 DEBUG: GOT ANNOUNCEMENT, type: 1, from xbmc, message OnPlay
    19:48:06 T:140440470034368 DEBUG: Building didl for object 'pvr://channels/tv/Alle TV-Kanäle/0.pvr'
    19:48:06 T:140440470034368 DEBUG: ------ Window Deinit (DialogBusy.xml) ------
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 0:5101 with codec_id 28
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 1:5106 with codec_id 86019
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 2:5102 with codec_id 86016
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 3:5103 with codec_id 86016
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 4:5105 with codec_id 94209
    19:48:06 T:140438879053568 DEBUG: CDVDDemuxPVRClient::RequestStreams(): added/updated stream 5:5104 with codec_id 94215
    19:48:06 T:140438879053568 NOTICE: Opening video stream: 0 source: 256
    19:48:06 T:140438879053568 NOTICE: Creating video codec with codec id: 28
    19:48:06 T:140438879053568 DEBUG: CDVDFactoryCodec: compiled in hardware support: CrystalHD:no OpenMax:no VDPAU:yes VAAPI:yes
    19:48:06 T:140438879053568 DEBUG: FactoryCodec - Video: - Opening
    19:48:06 T:140438879053568 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/swresample-0-x86_64-linux.so)
    19:48:06 T:140438879053568 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/swresample-0-x86_64-linux.so
    19:48:06 T:140438879053568 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avformat-53-x86_64-linux.so)
    19:48:06 T:140438879053568 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avformat-53-x86_64-linux.so
    19:48:06 T:140438879053568 DEBUG: SECTION:LoadDLL(special://xbmcbin/system/players/dvdplayer/avfilter-2-x86_64-linux.so)
    19:48:06 T:140438879053568 DEBUG: Loading: /usr/lib/xbmc/system/players/dvdplayer/avfilter-2-x86_64-linux.so
    19:48:06 T:140438879053568 NOTICE: CDVDVideoCodecFFmpeg::Open() Creating VDPAU(1280x720, 28)
    19:48:16 T:140440026806016 DEBUG: Suspended the Sink
    With Hardware Acceleration disabled in XBMC none of the problems described above occurs.
    So does anybody here know how to approach this problem? I'd really like to use Arch on the HTPC. Is this a problem with Arch or shall I look for the cause more on the XBMC side?
    Last edited by And1G (2013-08-29 18:05:38)

    And1G wrote:OK, for everyone who is interested, this problem is most likely caused by XBMC relying on the OpenGL extension GL_NV_vdpau_interop which is not available with the Radeon driver.
    I'll go over to the XBMC forums with the issue, I hope they can help.
    I followed your from the heise newsticker to here, as you have some fully wrong information.
    xbmc implements as the first at all the GL vdpau interop. Which is used to use surfaces in both the decoder, vdpau and the presenter OpenGL. But - we still have all the "pixmap code" in place. So on Radeon vdpau, where this interop is not supported, we render into a pixmap and transfer that result afterwards back to OpenGL.
    This works perfectly fine with e.g. mplayer - as the pixmap is the finished result, no need to transfer it any further. Xbmc is something special, cause we are fully 3D - radeon driver (be it GL part or whatever) is damn slow here, cause performance currently just sucks when rendering to pixmap and from there back to OpenGL.
    We are in contact with all the AMD OSS devs to find a solution here.
    Btw. nvidia ION-2 is fast enough for 1080p50 _with_ the pixmap approach, so you can imagine, that we currently search the issue somewhere else - especially in the AMD drivers.
    Edit: On my current radeon vdpau oss tests with xbmc - mesa fills up with memory, leaks and dies after 20 minutes .... not a good situation to start anything.
    Last edited by fritsch (2013-09-17 15:20:49)

  • MacBook Pro A1126 fans goes 'crazy'

    My MacBook Pro A1126 fan makes a lot of noise when I use it for intense gaming for hours,
    My Mac specs
    OS - Mac OS X Mountain Lion 10.8.4 & Windows 7 Ultimate 32-bit ( Boot Camp )
    Processor - 2.2 GHz Intel Core 2 Duo
    Memory - 4 GB 667 MHz DDR2 SDRAM ( Originally 2 GB, upgraded to 4 GB )
    Graphics - NVIDIA GeFore 8600M GT 128 MB
    How do I stop the fan noise or at least reduce the noise,by the way it's from the left fan & there are two fans in the MacBook Pro...
    Thanks in advance!

    Games use a lot of CPU/GPU resources and that creates a lot of heat   The fans are supposed to spin faster in order to dissipate that heat.  It sounds that what you are experiencing is normal.
    If one fan is significantly louder than the other, Courcoul's advice should be taken. 
    Since you have a 6 year old MBP, it may be a good idea to open it up and see if there is dust, dirt and debris inside that should be cleaned out.  That could have a very positive affect in the cooling process.
    Ciao.

  • High CPU temperatures with Yosemite

    Hi,
    Today I made a clean install of Yosemite on my Macbook Pro. I saw a big difference of the cpu and other components temperature than Mavericks:
    (the weather is not changed from yesterday)
    Yosemite:
    - Safari with only an open tab
    cpu:  58°-67°
    Mavericks:
    - Safari with three open tabs (Facebook, Gmail, Youtube)
    - Illustrator  cs3 with an open file (big size an some vectors)
    - iTunes
    48°-52°
    Also the battery lost 50 minutes of autonomy than the same situation with Mavericks
    Yosemite uses too much cpu (gpu) resources or is a poorly optimised s.o.
    Probably Istat Pro is still not too compatible wit the new os x....I hope in some fix or update that improves the situation (for Yosemite...)
    Someone has encountered the same problem?
    MacBook Pro (17-inch, Late 2011), 2,4 GHz Intel Core i7, 8 GB 1333 MHz DDR3

    Open Activity Monitor and see what's running in the background under All Processes.
    Whatever is using most of your CPU's resources is not needed, click on quit process and see if that helps keep your CPU run cooler.
    Also, check your login items and see what's loading when you start your MB Pro.  Uncheck those items if not needed and restart your computer.
    I have a Late 2011 MB Pro that has an idle temp of 47 - 50 C.
    Another possible solution, if you're techically competent, open the back of your MB Pro and blow off gently the inside of your MB Pro to get rid of any dust or particles inside your notebook.

Maybe you are looking for

  • HP LaserJet 1020 print jobs sticking in spool.

    Hi Guys, I have a problem were as I have a HP LaserJet 1020 setup as a share printer on a pc; my problem is that when 2 particular pcs send print jobs to the printer they actually get stuck in the spool, it is not a case of the spool service crashing

  • Query based collections SCCM 2012 R2

    Hi to everyone. Is there any book or other material needed to master process of creating query-based collections? It is done using WQL not T-SQL so it is a little bit tricky, not only syntax itself but also classes where particular information useful

  • Strange display problem on the Internet with jpgs

    Hi, For some time now I have problems with jpgs on some Internet sites. They don't show up properly. But only on this MAC, every other computer is ok. Here is a screencap of what I see: http://www.renderosity.com/mod/forumpro/showthread.php?thread_id

  • Changing the label of 'Catalog'

    Hi In answer page and exactly in the left side where we have "Catalog/     Dashboards     /Manage Catalog and folders" is it possible to change the label of "Catalog" to something else I tried to change OracleBI\web\msgdb\customMessages\catalogsysmes

  • I have a question about flash website design and google indexing!

    first off i want to say I hate HTML (call it HTM HELL) I love Flash.Im a big propononent of flash.OK about a month ago I built a 100% flash site,told google to crawl it,then come to find out they cant see any text inside images.So I did what i didnt