diff --git a/content/html/content/public/HTMLMediaElement.h b/content/html/content/public/HTMLMediaElement.h index 2888fdf0255d..f0b0883cfa24 100644 --- a/content/html/content/public/HTMLMediaElement.h +++ b/content/html/content/public/HTMLMediaElement.h @@ -19,6 +19,7 @@ #include "mozilla/Attributes.h" #include "mozilla/dom/AudioChannelBinding.h" #include "mozilla/dom/TextTrackManager.h" +#include "MediaDecoder.h" // Define to output information on decoding and painting framerate /* #define DEBUG_FRAME_RATE 1 */ @@ -393,6 +394,8 @@ public: void SetCurrentTime(double aCurrentTime, ErrorResult& aRv); + void FastSeek(double aTime, ErrorResult& aRv); + double Duration() const; bool Paused() const @@ -861,6 +864,12 @@ protected: // This method does the check for muting/fading/unmuting the audio channel. nsresult UpdateChannelMuteState(mozilla::dom::AudioChannelState aCanPlay); + // Seeks to aTime seconds. aSeekType can be Exact to seek to exactly the + // seek target, or PrevSyncPoint if a quicker but less precise seek is + // desired, and we'll seek to the sync point (keyframe and/or start of the + // next block of audio samples) preceeding seek target. + void Seek(double aTime, SeekTarget::Type aSeekType, ErrorResult& aRv); + // Update the audio channel playing state virtual void UpdateAudioChannelPlayingState(); diff --git a/content/html/content/src/HTMLMediaElement.cpp b/content/html/content/src/HTMLMediaElement.cpp index 78c8e9fccf86..15cdb72666f6 100644 --- a/content/html/content/src/HTMLMediaElement.cpp +++ b/content/html/content/src/HTMLMediaElement.cpp @@ -1323,10 +1323,63 @@ NS_IMETHODIMP HTMLMediaElement::GetCurrentTime(double* aCurrentTime) return NS_OK; } +void +HTMLMediaElement::FastSeek(double aTime, ErrorResult& aRv) +{ + Seek(aTime, SeekTarget::PrevSyncPoint, aRv); +} + void HTMLMediaElement::SetCurrentTime(double aCurrentTime, ErrorResult& aRv) { - MOZ_ASSERT(aCurrentTime == aCurrentTime); + Seek(aCurrentTime, SeekTarget::Accurate, aRv); +} + +/** + * Check if aValue is inside a range of aRanges, and if so sets aIsInRanges + * to true and put the range index in aIntervalIndex. If aValue is not + * inside a range, aIsInRanges is set to false, and aIntervalIndex + * is set to the index of the range which ends immediately before aValue + * (and can be -1 if aValue is before aRanges.Start(0)). Returns NS_OK + * on success, and NS_ERROR_FAILURE on failure. + */ +static nsresult +IsInRanges(dom::TimeRanges& aRanges, + double aValue, + bool& aIsInRanges, + int32_t& aIntervalIndex) +{ + aIsInRanges = false; + uint32_t length; + nsresult rv = aRanges.GetLength(&length); + NS_ENSURE_SUCCESS(rv, rv); + for (uint32_t i = 0; i < length; i++) { + double start, end; + rv = aRanges.Start(i, &start); + NS_ENSURE_SUCCESS(rv, rv); + if (start > aValue) { + aIntervalIndex = i - 1; + return NS_OK; + } + rv = aRanges.End(i, &end); + NS_ENSURE_SUCCESS(rv, rv); + if (aValue <= end) { + aIntervalIndex = i; + aIsInRanges = true; + return NS_OK; + } + } + aIntervalIndex = length - 1; + return NS_OK; +} + +void +HTMLMediaElement::Seek(double aTime, + SeekTarget::Type aSeekType, + ErrorResult& aRv) +{ + // aTime should be non-NaN. + MOZ_ASSERT(aTime == aTime); StopSuspendingAfterFirstFrame(); @@ -1350,34 +1403,98 @@ HTMLMediaElement::SetCurrentTime(double aCurrentTime, ErrorResult& aRv) if (mCurrentPlayRangeStart != rangeEndTime) { mPlayed->Add(mCurrentPlayRangeStart, rangeEndTime); } + // Reset the current played range start time. We'll re-set it once + // the seek completes. + mCurrentPlayRangeStart = -1.0; } if (!mDecoder) { - LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) failed: no decoder", this, aCurrentTime)); + LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) failed: no decoder", this, aTime)); aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); return; } if (mReadyState == nsIDOMHTMLMediaElement::HAVE_NOTHING) { - LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) failed: no source", this, aCurrentTime)); + LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) failed: no source", this, aTime)); aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); return; } - // Clamp the time to [0, duration] as required by the spec. - double clampedTime = std::max(0.0, aCurrentTime); - double duration = mDecoder->GetDuration(); - if (duration >= 0) { - clampedTime = std::min(clampedTime, duration); + // Clamp the seek target to inside the seekable ranges. + dom::TimeRanges seekable; + if (NS_FAILED(mDecoder->GetSeekable(&seekable))) { + aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); + return; } + uint32_t length = 0; + seekable.GetLength(&length); + if (!length) { + return; + } + + // If the position we want to seek to is not in a seekable range, we seek + // to the closest position in the seekable ranges instead. If two positions + // are equally close, we seek to the closest position from the currentTime. + // See seeking spec, point 7 : + // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#seeking + int32_t range = 0; + bool isInRange = false; + if (NS_FAILED(IsInRanges(seekable, aTime, isInRange, range))) { + aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); + return; + } + if (!isInRange) { + if (range != -1) { + // |range + 1| can't be negative, because the only possible negative value + // for |range| is -1. + if (uint32_t(range + 1) < length) { + double leftBound, rightBound; + if (NS_FAILED(seekable.End(range, &leftBound))) { + aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); + return; + } + if (NS_FAILED(seekable.Start(range + 1, &rightBound))) { + aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); + return; + } + double distanceLeft = Abs(leftBound - aTime); + double distanceRight = Abs(rightBound - aTime); + if (distanceLeft == distanceRight) { + double currentTime = CurrentTime(); + distanceLeft = Abs(leftBound - currentTime); + distanceRight = Abs(rightBound - currentTime); + } + aTime = (distanceLeft < distanceRight) ? leftBound : rightBound; + } else { + // Seek target is after the end last range in seekable data. + // Clamp the seek target to the end of the last seekable range. + if (NS_FAILED(seekable.End(length - 1, &aTime))) { + aRv.Throw(NS_ERROR_DOM_INVALID_STATE_ERR); + return; + } + } + } else { + // aTime is before the first range in |seekable|, the closest point we can + // seek to is the start of the first range. + seekable.Start(0, &aTime); + } + } + + // TODO: The spec requires us to update the current time to reflect the + // actual seek target before beginning the synchronous section, but + // that requires changing all MediaDecoderReaders to support telling + // us the fastSeek target, and it's currently not possible to get + // this information as we don't yet control the demuxer for all + // MediaDecoderReaders. mPlayingBeforeSeek = IsPotentiallyPlaying(); // The media backend is responsible for dispatching the timeupdate // event if it changes the playback position as a result of the seek. - LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) starting seek", this, aCurrentTime)); - aRv = mDecoder->Seek(clampedTime); - // Start a new range at position we seeked to. - mCurrentPlayRangeStart = mDecoder->GetCurrentTime(); + LOG(PR_LOG_DEBUG, ("%p SetCurrentTime(%f) starting seek", this, aTime)); + nsresult rv = mDecoder->Seek(aTime, aSeekType); + if (NS_FAILED(rv)) { + aRv.Throw(rv); + } // We changed whether we're seeking so we need to AddRemoveSelfReference. AddRemoveSelfReference(); @@ -3048,6 +3165,9 @@ void HTMLMediaElement::SeekCompleted() if (mTextTrackManager) { mTextTrackManager->DidSeek(); } + if (mCurrentPlayRangeStart == -1.0) { + mCurrentPlayRangeStart = CurrentTime(); + } } void HTMLMediaElement::NotifySuspendedByCache(bool aIsSuspended) diff --git a/content/media/MediaData.cpp b/content/media/MediaData.cpp index d2b00ded50df..b812279ae85a 100644 --- a/content/media/MediaData.cpp +++ b/content/media/MediaData.cpp @@ -119,6 +119,21 @@ VideoData* VideoData::ShallowCopyUpdateDuration(VideoData* aOther, return v; } +/* static */ +VideoData* VideoData::ShallowCopyUpdateTimestamp(VideoData* aOther, + int64_t aTimestamp) +{ + NS_ENSURE_TRUE(aOther, nullptr); + VideoData* v = new VideoData(aOther->mOffset, + aTimestamp, + aOther->GetEndTime() - aTimestamp, + aOther->mKeyframe, + aOther->mTimecode, + aOther->mDisplay); + v->mImage = aOther->mImage; + return v; +} + /* static */ void VideoData::SetVideoDataToImage(PlanarYCbCrImage* aVideoImage, VideoInfo& aInfo, diff --git a/content/media/MediaData.h b/content/media/MediaData.h index 9d0cd2371be2..962092e55a55 100644 --- a/content/media/MediaData.h +++ b/content/media/MediaData.h @@ -204,6 +204,12 @@ public: static VideoData* ShallowCopyUpdateDuration(VideoData* aOther, int64_t aDuration); + // Creates a new VideoData identical to aOther, but with a different + // specified timestamp. All data from aOther is copied into the new + // VideoData, as ShallowCopyUpdateDuration() does. + static VideoData* ShallowCopyUpdateTimestamp(VideoData* aOther, + int64_t aTimestamp); + // Initialize PlanarYCbCrImage. Only When aCopyData is true, // video data is copied to PlanarYCbCrImage. static void SetVideoDataToImage(PlanarYCbCrImage* aVideoImage, diff --git a/content/media/MediaDecoder.cpp b/content/media/MediaDecoder.cpp index 7134c93d5443..7e6a93f48f5d 100644 --- a/content/media/MediaDecoder.cpp +++ b/content/media/MediaDecoder.cpp @@ -124,7 +124,7 @@ void MediaDecoder::SetDormantIfNecessary(bool aDormant) DestroyDecodedStream(); mDecoderStateMachine->SetDormant(true); - mRequestedSeekTime = mCurrentTime; + mRequestedSeekTarget = SeekTarget(mCurrentTime, SeekTarget::Accurate); if (mPlayState == PLAY_STATE_PLAYING){ mNextState = PLAY_STATE_PLAYING; } else { @@ -420,7 +420,6 @@ MediaDecoder::MediaDecoder() : mIsExitingDormant(false), mPlayState(PLAY_STATE_PAUSED), mNextState(PLAY_STATE_PAUSED), - mRequestedSeekTime(-1.0), mCalledResourceLoaded(false), mIgnoreProgressData(false), mInfiniteStream(false), @@ -605,99 +604,27 @@ nsresult MediaDecoder::Play() return NS_OK; } if (mPlayState == PLAY_STATE_ENDED) - return Seek(0); + return Seek(0, SeekTarget::PrevSyncPoint); ChangeState(PLAY_STATE_PLAYING); return NS_OK; } -/** - * Returns true if aValue is inside a range of aRanges, and put the range - * index in aIntervalIndex if it is not null. - * If aValue is not inside a range, false is returned, and aIntervalIndex, if - * not null, is set to the index of the range which ends immediately before aValue - * (and can be -1 if aValue is before aRanges.Start(0)). - */ -static bool -IsInRanges(dom::TimeRanges& aRanges, double aValue, int32_t& aIntervalIndex) -{ - uint32_t length; - aRanges.GetLength(&length); - for (uint32_t i = 0; i < length; i++) { - double start, end; - aRanges.Start(i, &start); - if (start > aValue) { - aIntervalIndex = i - 1; - return false; - } - aRanges.End(i, &end); - if (aValue <= end) { - aIntervalIndex = i; - return true; - } - } - aIntervalIndex = length - 1; - return false; -} - -nsresult MediaDecoder::Seek(double aTime) +nsresult MediaDecoder::Seek(double aTime, SeekTarget::Type aSeekType) { MOZ_ASSERT(NS_IsMainThread()); ReentrantMonitorAutoEnter mon(GetReentrantMonitor()); NS_ABORT_IF_FALSE(aTime >= 0.0, "Cannot seek to a negative value."); - dom::TimeRanges seekable; - nsresult res; - uint32_t length = 0; - res = GetSeekable(&seekable); - NS_ENSURE_SUCCESS(res, NS_OK); + int64_t timeUsecs = 0; + nsresult rv = SecondsToUsecs(aTime, timeUsecs); + NS_ENSURE_SUCCESS(rv, rv); - seekable.GetLength(&length); - if (!length) { - return NS_OK; - } - - // If the position we want to seek to is not in a seekable range, we seek - // to the closest position in the seekable ranges instead. If two positions - // are equally close, we seek to the closest position from the currentTime. - // See seeking spec, point 7 : - // http://www.whatwg.org/specs/web-apps/current-work/multipage/the-video-element.html#seeking - int32_t range = 0; - if (!IsInRanges(seekable, aTime, range)) { - if (range != -1) { - // |range + 1| can't be negative, because the only possible negative value - // for |range| is -1. - if (uint32_t(range + 1) < length) { - double leftBound, rightBound; - res = seekable.End(range, &leftBound); - NS_ENSURE_SUCCESS(res, NS_OK); - res = seekable.Start(range + 1, &rightBound); - NS_ENSURE_SUCCESS(res, NS_OK); - double distanceLeft = Abs(leftBound - aTime); - double distanceRight = Abs(rightBound - aTime); - if (distanceLeft == distanceRight) { - distanceLeft = Abs(leftBound - mCurrentTime); - distanceRight = Abs(rightBound - mCurrentTime); - } - aTime = (distanceLeft < distanceRight) ? leftBound : rightBound; - } else { - // Seek target is after the end last range in seekable data. - // Clamp the seek target to the end of the last seekable range. - res = seekable.End(length - 1, &aTime); - NS_ENSURE_SUCCESS(res, NS_OK); - } - } else { - // aTime is before the first range in |seekable|, the closest point we can - // seek to is the start of the first range. - seekable.Start(0, &aTime); - } - } - - mRequestedSeekTime = aTime; + mRequestedSeekTarget = SeekTarget(timeUsecs, aSeekType); mCurrentTime = aTime; - // If we are already in the seeking state, then setting mRequestedSeekTime + // If we are already in the seeking state, then setting mRequestedSeekTarget // above will result in the new seek occurring when the current seek // completes. if ((mPlayState != PLAY_STATE_LOADING || !mIsDormant) && mPlayState != PLAY_STATE_SEEKING) { @@ -816,7 +743,7 @@ void MediaDecoder::MetadataLoaded(int aChannels, int aRate, bool aHasAudio, bool // state if we're still set to the original // loading state. if (mPlayState == PLAY_STATE_LOADING) { - if (mRequestedSeekTime >= 0.0) { + if (mRequestedSeekTarget.IsValid()) { ChangeState(PLAY_STATE_SEEKING); } else { @@ -1143,7 +1070,7 @@ void MediaDecoder::SeekingStopped() // An additional seek was requested while the current seek was // in operation. - if (mRequestedSeekTime >= 0.0) { + if (mRequestedSeekTarget.IsValid()) { ChangeState(PLAY_STATE_SEEKING); seekWasAborted = true; } else { @@ -1152,6 +1079,8 @@ void MediaDecoder::SeekingStopped() } } + PlaybackPositionChanged(); + if (mOwner) { UpdateReadyStateForData(); if (!seekWasAborted) { @@ -1176,7 +1105,7 @@ void MediaDecoder::SeekingStoppedAtEnd() // An additional seek was requested while the current seek was // in operation. - if (mRequestedSeekTime >= 0.0) { + if (mRequestedSeekTarget.IsValid()) { ChangeState(PLAY_STATE_SEEKING); seekWasAborted = true; } else { @@ -1186,6 +1115,8 @@ void MediaDecoder::SeekingStoppedAtEnd() } } + PlaybackPositionChanged(); + if (mOwner) { UpdateReadyStateForData(); if (!seekWasAborted) { @@ -1254,8 +1185,8 @@ void MediaDecoder::ApplyStateToStateMachine(PlayState aState) mDecoderStateMachine->Play(); break; case PLAY_STATE_SEEKING: - mDecoderStateMachine->Seek(mRequestedSeekTime); - mRequestedSeekTime = -1.0; + mDecoderStateMachine->Seek(mRequestedSeekTarget); + mRequestedSeekTarget.Reset(); break; default: /* No action needed */ diff --git a/content/media/MediaDecoder.h b/content/media/MediaDecoder.h index 07840d4ea84c..e791e204622f 100644 --- a/content/media/MediaDecoder.h +++ b/content/media/MediaDecoder.h @@ -226,6 +226,39 @@ static const uint32_t FRAMEBUFFER_LENGTH_MAX = 16384; #undef GetCurrentTime #endif +// Stores the seek target; the time to seek to, and whether an Accurate, +// or "Fast" (nearest keyframe) seek was requested. +struct SeekTarget { + enum Type { + Invalid, + PrevSyncPoint, + Accurate + }; + SeekTarget() + : mTime(-1.0) + , mType(SeekTarget::Invalid) + { + } + SeekTarget(int64_t aTimeUsecs, Type aType) + : mTime(aTimeUsecs) + , mType(aType) + { + } + bool IsValid() const { + return mType != SeekTarget::Invalid; + } + void Reset() { + mTime = -1; + mType = SeekTarget::Invalid; + } + // Seek target time in microseconds. + int64_t mTime; + // Whether we should seek "Fast", or "Accurate". + // "Fast" seeks to the seek point preceeding mTime, whereas + // "Accurate" seeks as close as possible to mTime. + Type mType; +}; + class MediaDecoder : public nsIObserver, public AbstractMediaDecoder { @@ -310,7 +343,9 @@ public: virtual double GetCurrentTime(); // Seek to the time position in (seconds) from the start of the video. - virtual nsresult Seek(double aTime); + // If aDoFastSeek is true, we'll seek to the sync point/keyframe preceeding + // the seek target. + virtual nsresult Seek(double aTime, SeekTarget::Type aSeekType); // Enables decoders to supply an enclosing byte range for a seek offset. // E.g. used by ChannelMediaResource to download a whole cluster for @@ -1104,9 +1139,9 @@ protected: // This can only be changed on the main thread while holding the decoder // monitor. Thus, it can be safely read while holding the decoder monitor // OR on the main thread. - // If the value is negative then no seek has been requested. When a seek is - // started this is reset to negative. - double mRequestedSeekTime; + // If the SeekTarget's IsValid() accessor returns false, then no seek has + // been requested. When a seek is started this is reset to invalid. + SeekTarget mRequestedSeekTarget; // True when we have fully loaded the resource and reported that // to the element (i.e. reached NETWORK_LOADED state). diff --git a/content/media/MediaDecoderReader.cpp b/content/media/MediaDecoderReader.cpp index 3f6c26db2b4e..33efe6e99010 100644 --- a/content/media/MediaDecoderReader.cpp +++ b/content/media/MediaDecoderReader.cpp @@ -180,8 +180,7 @@ nsresult MediaDecoderReader::DecodeToTarget(int64_t aTarget) // Decode forward to the target frame. Start with video, if we have it. if (HasVideo()) { bool eof = false; - int64_t startTime = -1; - nsAutoPtr video; + VideoData* video = nullptr; while (HasVideo() && !eof) { while (VideoQueue().GetSize() == 0 && !eof) { bool skip = false; @@ -195,22 +194,32 @@ nsresult MediaDecoderReader::DecodeToTarget(int64_t aTarget) } if (eof) { // Hit end of file, we want to display the last frame of the video. - if (video) { - VideoQueue().PushFront(video.forget()); - } VideoQueue().Finish(); break; } video = VideoQueue().PeekFront(); + MOZ_ASSERT(video); // If the frame end time is less than the seek target, we won't want // to display this frame after the seek, so discard it. - if (video && video->GetEndTime() <= aTarget) { - if (startTime == -1) { - startTime = video->mTime; - } - VideoQueue().PopFront(); + if (video->GetEndTime() <= aTarget) { + DECODER_LOG(PR_LOG_DEBUG, + ("MediaDecoderReader::DecodeToTarget(%lld) pop video frame [%lld, %lld]", + aTarget, video->mTime, video->GetEndTime())); + delete VideoQueue().PopFront(); } else { - video.forget(); + // Found a frame after or encompasing the seek target. + if (aTarget >= video->mTime && video->GetEndTime() >= aTarget) { + // The seek target lies inside this frame's time slice. Adjust the frame's + // start time to match the seek target. We do this by replacing the + // first frame with a shallow copy which has the new timestamp. + VideoData* temp = VideoData::ShallowCopyUpdateTimestamp(video, aTarget); + delete VideoQueue().PopFront(); + video = temp; + VideoQueue().PushFront(video); + } + DECODER_LOG(PR_LOG_DEBUG, + ("MediaDecoderReader::DecodeToTarget(%lld) found target video frame [%lld,%lld]", + aTarget, video->mTime, video->GetEndTime())); break; } } @@ -220,7 +229,6 @@ nsresult MediaDecoderReader::DecodeToTarget(int64_t aTarget) return NS_ERROR_FAILURE; } } - DECODER_LOG(PR_LOG_DEBUG, ("First video frame after decode is %lld", startTime)); } if (HasAudio()) { @@ -302,8 +310,13 @@ nsresult MediaDecoderReader::DecodeToTarget(int64_t aTarget) } } - DECODER_LOG(PR_LOG_DEBUG, ("MediaDecoderReader::DecodeToTarget(%lld) End", aTarget)); - +#ifdef PR_LOGGING + const VideoData* v = VideoQueue().PeekFront(); + const AudioData* a = AudioQueue().PeekFront(); + DECODER_LOG(PR_LOG_DEBUG, + ("MediaDecoderReader::DecodeToTarget(%lld) finished v=%lld a=%lld", + aTarget, v ? v->mTime : -1, a ? a->mTime : -1)); +#endif return NS_OK; } diff --git a/content/media/MediaDecoderReader.h b/content/media/MediaDecoderReader.h index 05b06827e999..b603e45a19c9 100644 --- a/content/media/MediaDecoderReader.h +++ b/content/media/MediaDecoderReader.h @@ -155,11 +155,13 @@ public: AudioData* DecodeToFirstAudioData(); VideoData* DecodeToFirstVideoData(); -protected: - // Pumps the decode until we reach frames required to play at time aTarget - // (usecs). + // Decodes samples until we reach frames required to play at time aTarget + // (usecs). This also trims the samples to start exactly at aTarget, + // by discarding audio samples and adjusting start times of video frames. nsresult DecodeToTarget(int64_t aTarget); +protected: + // Reference to the owning decoder object. AbstractMediaDecoder* mDecoder; diff --git a/content/media/MediaDecoderStateMachine.cpp b/content/media/MediaDecoderStateMachine.cpp index a72db1d4fd6c..eede8fa521ef 100644 --- a/content/media/MediaDecoderStateMachine.cpp +++ b/content/media/MediaDecoderStateMachine.cpp @@ -166,7 +166,6 @@ MediaDecoderStateMachine::MediaDecoderStateMachine(MediaDecoder* aDecoder, mPlayDuration(0), mStartTime(-1), mEndTime(-1), - mSeekTime(0), mFragmentEndTime(-1), mReader(aReader), mCurrentFrameTime(0), @@ -1415,7 +1414,7 @@ void MediaDecoderStateMachine::NotifyDataArrived(const char* aBuffer, } } -void MediaDecoderStateMachine::Seek(double aTime) +void MediaDecoderStateMachine::Seek(const SeekTarget& aTarget) { NS_ASSERTION(NS_IsMainThread(), "Should be on main thread."); ReentrantMonitorAutoEnter mon(mDecoder->GetReentrantMonitor()); @@ -1431,26 +1430,22 @@ void MediaDecoderStateMachine::Seek(double aTime) "We shouldn't already be seeking"); NS_ASSERTION(mState >= DECODER_STATE_DECODING, "We should have loaded metadata"); - double t = aTime * static_cast(USECS_PER_S); - if (t > INT64_MAX) { - // Prevent integer overflow. - return; - } - - mSeekTime = static_cast(t) + mStartTime; - NS_ASSERTION(mSeekTime >= mStartTime && mSeekTime <= mEndTime, - "Can only seek in range [0,duration]"); // Bound the seek time to be inside the media range. NS_ASSERTION(mStartTime != -1, "Should know start time by now"); NS_ASSERTION(mEndTime != -1, "Should know end time by now"); - mSeekTime = std::min(mSeekTime, mEndTime); - mSeekTime = std::max(mStartTime, mSeekTime); - mBasePosition = mSeekTime - mStartTime; - DECODER_LOG(PR_LOG_DEBUG, ("%p Changed state to SEEKING (to %f)", mDecoder.get(), aTime)); + int64_t seekTime = aTarget.mTime + mStartTime; + seekTime = std::min(seekTime, mEndTime); + seekTime = std::max(mStartTime, seekTime); + NS_ASSERTION(seekTime >= mStartTime && seekTime <= mEndTime, + "Can only seek in range [0,duration]"); + mSeekTarget = SeekTarget(seekTime, aTarget.mType); + + mBasePosition = seekTime - mStartTime; + DECODER_LOG(PR_LOG_DEBUG, ("%p Changed state to SEEKING (to %ld)", mDecoder.get(), mSeekTarget.mTime)); mState = DECODER_STATE_SEEKING; if (mDecoder->GetDecodedStream()) { - mDecoder->RecreateDecodedStream(mSeekTime - mStartTime); + mDecoder->RecreateDecodedStream(seekTime - mStartTime); } ScheduleStateMachine(); } @@ -1941,11 +1936,11 @@ void MediaDecoderStateMachine::DecodeSeek() // the lock since it won't deadlock. We check the state when // acquiring the lock again in case shutdown has occurred // during the time when we didn't have the lock. - int64_t seekTime = mSeekTime; + int64_t seekTime = mSeekTarget.mTime; mDecoder->StopProgressUpdates(); bool currentTimeChanged = false; - int64_t mediaTime = GetMediaTime(); + const int64_t mediaTime = GetMediaTime(); if (mediaTime != seekTime) { currentTimeChanged = true; // Stop playback now to ensure that while we're outside the monitor @@ -1965,6 +1960,7 @@ void MediaDecoderStateMachine::DecodeSeek() NS_DispatchToMainThread(startEvent, NS_DISPATCH_SYNC); } + int64_t newCurrentTime = seekTime; if (currentTimeChanged) { // The seek target is different than the current playback position, // we'll need to seek the playback position, so shutdown our decode @@ -1980,23 +1976,33 @@ void MediaDecoderStateMachine::DecodeSeek() mStartTime, mEndTime, mediaTime); + + if (NS_SUCCEEDED(res) && mSeekTarget.mType == SeekTarget::Accurate) { + res = mReader->DecodeToTarget(seekTime); + } } + if (NS_SUCCEEDED(res)) { - AudioData* audio = HasAudio() ? mReader->AudioQueue().PeekFront() : nullptr; - MOZ_ASSERT(!audio || - (audio->mTime <= seekTime && - seekTime <= audio->mTime + audio->mDuration) || - mReader->AudioQueue().IsFinished(), - "Seek target should lie inside the first audio block after seek"); - int64_t startTime = (audio && audio->mTime < seekTime) ? audio->mTime : seekTime; - mAudioStartTime = startTime; - mPlayDuration = startTime - mStartTime; + int64_t nextSampleStartTime = 0; + VideoData* video = nullptr; + { + ReentrantMonitorAutoExit exitMon(mDecoder->GetReentrantMonitor()); + video = mReader->FindStartTime(nextSampleStartTime); + } + + // Setup timestamp state. + if (seekTime == mEndTime) { + newCurrentTime = mAudioStartTime = seekTime; + } else if (HasAudio()) { + AudioData* audio = mReader->AudioQueue().PeekFront(); + newCurrentTime = mAudioStartTime = audio ? audio->mTime : seekTime; + } else { + newCurrentTime = video ? video->mTime : seekTime; + } + mPlayDuration = newCurrentTime - mStartTime; + if (HasVideo()) { - VideoData* video = mReader->VideoQueue().PeekFront(); if (video) { - MOZ_ASSERT((video->mTime <= seekTime && seekTime <= video->GetEndTime()) || - mReader->VideoQueue().IsFinished(), - "Seek target should lie inside the first frame after seek, unless it's the last frame."); { ReentrantMonitorAutoExit exitMon(mDecoder->GetReentrantMonitor()); RenderVideoFrame(video, TimeStamp::Now()); @@ -2017,10 +2023,6 @@ void MediaDecoderStateMachine::DecodeSeek() return; } - // Try to decode another frame to detect if we're at the end... - DECODER_LOG(PR_LOG_DEBUG, ("%p Seek completed, mCurrentFrameTime=%lld\n", - mDecoder.get(), mCurrentFrameTime)); - // Change state to DECODING or COMPLETED now. SeekingStopped will // call MediaDecoderStateMachine::Seek to reset our state to SEEKING // if we need to seek again. @@ -2046,6 +2048,18 @@ void MediaDecoderStateMachine::DecodeSeek() stopEvent = NS_NewRunnableMethod(mDecoder, &MediaDecoder::SeekingStopped); StartDecoding(); } + + if (newCurrentTime != mediaTime) { + UpdatePlaybackPositionInternal(newCurrentTime); + if (mDecoder->GetDecodedStream()) { + SetSyncPointForMediaStream(); + } + } + + // Try to decode another frame to detect if we're at the end... + DECODER_LOG(PR_LOG_DEBUG, ("%p Seek completed, mCurrentFrameTime=%lld\n", + mDecoder.get(), mCurrentFrameTime)); + { ReentrantMonitorAutoExit exitMon(mDecoder->GetReentrantMonitor()); NS_DispatchToMainThread(stopEvent, NS_DISPATCH_SYNC); @@ -2844,7 +2858,7 @@ void MediaDecoderStateMachine::SetPlaybackRate(double aPlaybackRate) if (!HasAudio()) { // mBasePosition is a position in the video stream, not an absolute time. if (mState == DECODER_STATE_SEEKING) { - mBasePosition = mSeekTime - mStartTime; + mBasePosition = mSeekTarget.mTime - mStartTime; } else { mBasePosition = GetVideoStreamPosition(); } diff --git a/content/media/MediaDecoderStateMachine.h b/content/media/MediaDecoderStateMachine.h index 3cdd673a1b89..6c8ce6b666da 100644 --- a/content/media/MediaDecoderStateMachine.h +++ b/content/media/MediaDecoderStateMachine.h @@ -190,8 +190,8 @@ public: // that the state has changed. void Play(); - // Seeks to aTime in seconds. - void Seek(double aTime); + // Seeks to the decoder to aTarget asynchronously. + void Seek(const SeekTarget& aTarget); // Returns the current playback position in seconds. // Called from the main thread to get the current frame time. The decoder @@ -725,7 +725,7 @@ private: // Position to seek to in microseconds when the seek state transition occurs. // The decoder monitor lock must be obtained before reading or writing // this value. Accessed on main and decode thread. - int64_t mSeekTime; + SeekTarget mSeekTarget; // Media Fragment end time in microseconds. Access controlled by decoder monitor. int64_t mFragmentEndTime; diff --git a/content/media/VideoUtils.cpp b/content/media/VideoUtils.cpp index 2c4cfe065676..a456c2a24112 100644 --- a/content/media/VideoUtils.cpp +++ b/content/media/VideoUtils.cpp @@ -28,6 +28,14 @@ CheckedInt64 UsecsToFrames(int64_t aUsecs, uint32_t aRate) { return (CheckedInt64(aUsecs) * aRate) / USECS_PER_S; } +nsresult SecondsToUsecs(double aSeconds, int64_t& aOutUsecs) { + if (aSeconds * double(USECS_PER_S) > INT64_MAX) { + return NS_ERROR_FAILURE; + } + aOutUsecs = int64_t(aSeconds * double(USECS_PER_S)); + return NS_OK; +} + static int32_t ConditionDimension(float aValue) { // This will exclude NaNs and too-big values. diff --git a/content/media/VideoUtils.h b/content/media/VideoUtils.h index 060b4308ede4..4b274d03ae05 100644 --- a/content/media/VideoUtils.h +++ b/content/media/VideoUtils.h @@ -128,6 +128,10 @@ static const int64_t USECS_PER_MS = 1000; // Converts seconds to milliseconds. #define MS_TO_SECONDS(s) ((double)(s) / (PR_MSEC_PER_SEC)) +// Converts from seconds to microseconds. Returns failure if the resulting +// integer is too big to fit in an int64_t. +nsresult SecondsToUsecs(double aSeconds, int64_t& aOutUsecs); + // The maximum height and width of the video. Used for // sanitizing the memory allocation of the RGB buffer. // The maximum resolution we anticipate encountering in the diff --git a/content/media/directshow/DirectShowReader.cpp b/content/media/directshow/DirectShowReader.cpp index 5db6be583628..8aa549fb55d0 100644 --- a/content/media/directshow/DirectShowReader.cpp +++ b/content/media/directshow/DirectShowReader.cpp @@ -390,7 +390,7 @@ DirectShowReader::Seek(int64_t aTargetUs, hr = mControl->Run(); NS_ENSURE_TRUE(SUCCEEDED(hr), NS_ERROR_FAILURE); - return DecodeToTarget(aTargetUs); + return NS_OK; } void diff --git a/content/media/gstreamer/GStreamerReader.cpp b/content/media/gstreamer/GStreamerReader.cpp index f8663865a651..b2c04979dba8 100644 --- a/content/media/gstreamer/GStreamerReader.cpp +++ b/content/media/gstreamer/GStreamerReader.cpp @@ -758,8 +758,11 @@ nsresult GStreamerReader::Seek(int64_t aTarget, LOG(PR_LOG_DEBUG, "%p About to seek to %" GST_TIME_FORMAT, mDecoder, GST_TIME_ARGS(seekPos)); - if (!gst_element_seek_simple(mPlayBin, GST_FORMAT_TIME, - static_cast(GST_SEEK_FLAG_FLUSH | GST_SEEK_FLAG_ACCURATE), seekPos)) { + int flags = GST_SEEK_FLAG_FLUSH | GST_SEEK_FLAG_KEY_UNIT; + if (!gst_element_seek_simple(mPlayBin, + GST_FORMAT_TIME, + static_cast(flags), + seekPos)) { LOG(PR_LOG_ERROR, "seek failed"); return NS_ERROR_FAILURE; } @@ -769,7 +772,7 @@ nsresult GStreamerReader::Seek(int64_t aTarget, gst_message_unref(message); LOG(PR_LOG_DEBUG, "seek completed"); - return DecodeToTarget(aTarget); + return NS_OK; } nsresult GStreamerReader::GetBuffered(dom::TimeRanges* aBuffered, diff --git a/content/media/ogg/OggReader.cpp b/content/media/ogg/OggReader.cpp index c8b981d3b99b..07404d2582ef 100644 --- a/content/media/ogg/OggReader.cpp +++ b/content/media/ogg/OggReader.cpp @@ -1315,9 +1315,9 @@ nsresult OggReader::SeekInUnbuffered(int64_t aTarget, } nsresult OggReader::Seek(int64_t aTarget, - int64_t aStartTime, - int64_t aEndTime, - int64_t aCurrentTime) + int64_t aStartTime, + int64_t aEndTime, + int64_t aCurrentTime) { NS_ASSERTION(mDecoder->OnDecodeThread(), "Should be on decode thread."); if (mIsChained) @@ -1379,10 +1379,7 @@ nsresult OggReader::Seek(int64_t aTarget, } } - // The decode position must now be either close to the seek target, or - // we've seeked to before the keyframe before the seek target. Decode - // forward to the seek target frame. - return DecodeToTarget(aTarget); + return NS_OK; } // Reads a page from the media resource. diff --git a/content/media/omx/MediaOmxReader.cpp b/content/media/omx/MediaOmxReader.cpp index efbb34317164..b40b7628f431 100644 --- a/content/media/omx/MediaOmxReader.cpp +++ b/content/media/omx/MediaOmxReader.cpp @@ -352,7 +352,7 @@ nsresult MediaOmxReader::Seek(int64_t aTarget, int64_t aStartTime, int64_t aEndT mAudioSeekTimeUs = mVideoSeekTimeUs = aTarget; - return DecodeToTarget(aTarget); + return NS_OK; } static uint64_t BytesToTime(int64_t offset, uint64_t length, uint64_t durationUs) { diff --git a/content/media/plugins/MediaPluginReader.cpp b/content/media/plugins/MediaPluginReader.cpp index 0d365ee4fd0b..af0ceefd97d3 100644 --- a/content/media/plugins/MediaPluginReader.cpp +++ b/content/media/plugins/MediaPluginReader.cpp @@ -328,7 +328,7 @@ nsresult MediaPluginReader::Seek(int64_t aTarget, int64_t aStartTime, int64_t aE mAudioSeekTimeUs = mVideoSeekTimeUs = aTarget; - return DecodeToTarget(aTarget); + return NS_OK; } MediaPluginReader::ImageBufferCallback::ImageBufferCallback(mozilla::layers::ImageContainer *aImageContainer) : diff --git a/content/media/test/gizmo.mp4 b/content/media/test/gizmo.mp4 index 1fc478842f51..87efad5ade9f 100644 Binary files a/content/media/test/gizmo.mp4 and b/content/media/test/gizmo.mp4 differ diff --git a/content/media/test/manifest.js b/content/media/test/manifest.js index ca3f204342b8..050f12c8a730 100644 --- a/content/media/test/manifest.js +++ b/content/media/test/manifest.js @@ -352,6 +352,13 @@ var gSeekTests = [ { name:"bogus.duh", type:"bogus/duh", duration:123 } ]; +var gFastSeekTests = [ + { name:"gizmo.mp4", type:"video/mp4", keyframes:[0, 1.0, 2.0, 3.0, 4.0, 5.0 ] }, + // Note: Not all keyframes in the file are actually referenced in the Cues in this file. + { name:"seek.webm", type:"video/webm", keyframes:[0, 0.8, 1.6, 2.4, 3.2]}, + // Note: omitting Ogg from this test, as I'm not sure our Ogg seek code is optimal/correct - cpearce +]; + function IsWindows8OrLater() { var re = /Windows NT (\d.\d)/; var winver = navigator.userAgent.match(re); diff --git a/content/media/test/mochitest.ini b/content/media/test/mochitest.ini index 06701431a22c..6fa90e3900b8 100644 --- a/content/media/test/mochitest.ini +++ b/content/media/test/mochitest.ini @@ -346,6 +346,7 @@ skip-if = buildapp == 'b2g' || e10s skip-if = buildapp == 'b2g' # b2g(6 failures) b2g-debug(6 failures) b2g-desktop(6 failures) [test_error_on_404.html] skip-if = buildapp == 'b2g' && (toolkit != 'gonk' || debug)) # b2g-debug(timed out) b2g-desktop(timed out) +[test_fastSeek.html] [test_framebuffer.html] skip-if = buildapp == 'b2g' # b2g(timed out) b2g-debug(timed out) b2g-desktop(timed out) [test_info_leak.html] diff --git a/content/media/test/seek13.js b/content/media/test/seek13.js index e8d12bf373ee..539510411574 100644 --- a/content/media/test/seek13.js +++ b/content/media/test/seek13.js @@ -14,14 +14,16 @@ function seekStarted() { if (completed) return; //is(v.currentTime, v.duration, "seeking: currentTime must be duration"); - ok(Math.abs(v.currentTime - v.duration) < 0.01, "seeking: currentTime must be duration"); + ok(Math.abs(v.currentTime - v.duration) < 0.01, + "seeking: currentTime (" + v.currentTime + ") must be duration (" + v.duration + ")"); } function seekEnded() { if (completed) return; //is(v.currentTime, v.duration, "seeked: currentTime must be duration"); - ok(Math.abs(v.currentTime - v.duration) < 0.01, "seeked: currentTime must be duration"); + ok(Math.abs(v.currentTime - v.duration) < 0.01, + "seeked: currentTime (" + v.currentTime + ") must be duration (" + v.duration + ")"); is(v.seeking, false, "seeking flag on end should be false"); } @@ -30,7 +32,8 @@ function playbackEnded() { return; completed = true; //is(v.currentTime, v.duration, "ended: currentTime must be duration"); - ok(Math.abs(v.currentTime - v.duration) < 0.01, "ended: currentTime must be duration"); + ok(Math.abs(v.currentTime - v.duration) < 0.01, + "ended: currentTime (" + v.currentTime + ") must be duration (" + v.duration + ")"); is(v.seeking, false, "seeking flag on end should be false"); is(v.ended, true, "ended must be true"); finish(); diff --git a/content/media/test/test_fastSeek.html b/content/media/test/test_fastSeek.html new file mode 100644 index 000000000000..16c880d22cbe --- /dev/null +++ b/content/media/test/test_fastSeek.html @@ -0,0 +1,88 @@ + + + + + + Test for Bug 778077 + + + + + + +Mozilla Bug 778077 +

+ +
+
+ + diff --git a/content/media/webm/WebMReader.cpp b/content/media/webm/WebMReader.cpp index 4bb6f479bad4..8e8f74fd1f29 100644 --- a/content/media/webm/WebMReader.cpp +++ b/content/media/webm/WebMReader.cpp @@ -1008,7 +1008,7 @@ nsresult WebMReader::Seek(int64_t aTarget, int64_t aStartTime, int64_t aEndTime, if (r != 0) { return NS_ERROR_FAILURE; } - return DecodeToTarget(aTarget); + return NS_OK; } nsresult WebMReader::GetBuffered(dom::TimeRanges* aBuffered, int64_t aStartTime) diff --git a/content/media/wmf/WMFReader.cpp b/content/media/wmf/WMFReader.cpp index 9418a58cc9b8..797dd0bce104 100644 --- a/content/media/wmf/WMFReader.cpp +++ b/content/media/wmf/WMFReader.cpp @@ -886,7 +886,7 @@ WMFReader::Seek(int64_t aTargetUs, hr = mSourceReader->SetCurrentPosition(GUID_NULL, var); NS_ENSURE_TRUE(SUCCEEDED(hr), NS_ERROR_FAILURE); - return DecodeToTarget(aTargetUs); + return NS_OK; } } // namespace mozilla diff --git a/dom/webidl/HTMLMediaElement.webidl b/dom/webidl/HTMLMediaElement.webidl index e45a2d979fa4..c1c829412261 100644 --- a/dom/webidl/HTMLMediaElement.webidl +++ b/dom/webidl/HTMLMediaElement.webidl @@ -47,7 +47,8 @@ interface HTMLMediaElement : HTMLElement { // playback state [SetterThrows] attribute double currentTime; - // TODO: Bug 847375 - void fastSeek(double time); + [Throws] + void fastSeek(double time); readonly attribute unrestricted double duration; // TODO: Bug 847376 - readonly attribute any startDate; readonly attribute boolean paused; diff --git a/toolkit/content/widgets/videocontrols.xml b/toolkit/content/widgets/videocontrols.xml index f7b9fb92e4bd..2c146b4ea108 100644 --- a/toolkit/content/widgets/videocontrols.xml +++ b/toolkit/content/widgets/videocontrols.xml @@ -795,7 +795,11 @@ seekToPosition : function(newPosition) { newPosition /= 1000; // convert from ms this.log("+++ seeking to " + newPosition); - this.video.currentTime = newPosition; + if (isTouchControl) { + this.video.fastSeek(newPosition); + } else { + this.video.currentTime = newPosition; + } }, setVolume : function(newVolume) {