Video list auto playback made simple, specially built for RecyclerView
Please grab latest demo APK and see release note here
Core:
Plus alpha:
ext {
latest_release = '3.6.2.2804' // TODO check above for latest version
}
dependencies {
implementation "im.ene.toro3:toro:${latest_release}"
implementation "im.ene.toro3:toro-ext-exoplayer:${latest_release}" // to get ExoPlayer support
}
Using snapshot:
Update this to root's build.gradle
allprojects {
repositories {
google()
jcenter()
// Add url below to use snaphot
maven { url 'https://oss.jfrog.org/artifactory/oss-snapshot-local' }
}
// TODO anything else
}
Application's build.gradle
ext {
latest_snapshot = '3.7.0.2901-SNAPSHOT' // TODO check above for latest version
// below: other dependencies' versions maybe
}
dependencies {
implementation "im.ene.toro3:toro:${latest_snapshot}"
implementation "im.ene.toro3:toro-ext-exoplayer:${latest_snapshot}" // to get ExoPlayer support
}
Container
in place of Video list/RecyclerView.<im.ene.toro.widget.Container
android:id="@+id/my_fancy_videos"
android:layout_width="match_parent"
android:layout_height="match_parent"
/>
ToroPlayer
to ViewHolder that should be a Video player.public class SimpleExoPlayerViewHolder extends RecyclerView.ViewHolder implements ToroPlayer {
static final int LAYOUT_RES = R.layout.vh_exoplayer_basic;
@Nullable ExoPlayerViewHelper helper;
@Nullable private Uri mediaUri;
@BindView(R.id.player) PlayerView playerView;
SimpleExoPlayerViewHolder(View itemView) {
super(itemView);
ButterKnife.bind(this, itemView);
}
// called from Adapter to setup the media
void bind(@NonNull RecyclerView.Adapter adapter, Uri item, List<Object> payloads) {
if (item != null) {
mediaUri = item;
}
}
@NonNull @Override public View getPlayerView() {
return playerView;
}
@NonNull @Override public PlaybackInfo getCurrentPlaybackInfo() {
return helper != null ? helper.getLatestPlaybackInfo() : new PlaybackInfo();
}
@Override
public void initialize(@NonNull Container container, @Nullable PlaybackInfo playbackInfo) {
if (helper == null) {
helper = new ExoPlayerViewHelper(this, mediaUri);
}
helper.initialize(container, playbackInfo);
}
@Override public void release() {
if (helper != null) {
helper.release();
helper = null;
}
}
@Override public void play() {
if (helper != null) helper.play();
}
@Override public void pause() {
if (helper != null) helper.pause();
}
@Override public boolean isPlaying() {
return helper != null && helper.isPlaying();
}
@Override public boolean wantsToPlay() {
return ToroUtil.visibleAreaOffset(this, itemView.getParent()) >= 0.85;
}
@Override public int getPlayerOrder() {
return getAdapterPosition();
}
}
More advanced View holder implementations can be found in app, demo-xxx module.
ViewHolder
above, and setup Container
to use that Adapter
.That's all. Your Videos should be ready to play.
If you need to enable proguard in your app, put below rules to your proguard-rules.pro
-keepclassmembernames class com.google.android.exoplayer2.ui.PlayerControlView {
java.lang.Runnable hideAction;
void hideAfterTimeout();
}
By default, toro's Container will always start a playback from beginning.
The implementation is simple: create a class implementing CacheManager
, then set it to the Container using Container#setCacheManager(CacheManager)
. Sample code can be found in TimelineAdapter.java. Note that here I implement the interface right into the Adapter for convenience. It can be done without Adapter. There is one thing worth noticing: a matching between playback order with its cached playback info should be unique.
Playing multiple Videos at once is considered bad practice. It is a heavy power consuming task and also unfriendly to hardware. In fact, each device has its own limitation of multiple decoding ability, so developer must be aware of what you are doing. I don't officially support this behaviour. Developer should own the video source to optimize the video for this purpose.
To be able to have more than one Video play at the same time, developer must use a custom PlayerSelector
. This can also provide a powerful control to number of playback in a dynamic way.
Below is an example using GridLayoutManager and custom PlayerSelector to have a fun multiple playback.
layoutManager = new GridLayoutManager(getContext(), 2);
layoutManager.setSpanSizeLookup(new GridLayoutManager.SpanSizeLookup() {
@Override public int getSpanSize(int position) {
return position % 3 == 2 ? 2 : 1;
}
});
// A custom Selector to work with Grid span: even row will has 2 Videos while odd row has one Video.
// This selector will select all videos available for each row, which will make the number of Players varies.
PlayerSelector selector = new PlayerSelector() {
@NonNull @Override public Collection<ToroPlayer> select(@NonNull View container,
@NonNull List<ToroPlayer> items) {
List<ToroPlayer> toSelect;
int count = items.size();
if (count < 1) {
toSelect = Collections.emptyList();
} else {
int firstOrder = items.get(0).getPlayerOrder();
int span = layoutManager.getSpanSizeLookup().getSpanSize(firstOrder);
count = Math.min(count, layoutManager.getSpanCount() / span);
toSelect = new ArrayList<>();
for (int i = 0; i < count; i++) {
toSelect.add(items.get(i));
}
}
return toSelect;
}
@NonNull @Override public PlayerSelector reverse() {
return this;
}
};
container.setPlayerSelector(selector);
Behaviour:
To disable the auto play, simply use the PlayerSelector.NONE
for the Container. To enable it again, just use a Selector that actually select the player. There is PlayerSelector.DEFAULT
built-in.
It is expected that: when user scrolls so that the Player view is in playable state (maybe because it is fully visual), there should be a small delay before the Player starts playing. Toro supports this out of the box using PlayerDispatcher
and via Container#setPlayerDispatcher()
. Further more, the delay ca be flexibly configured by per-Player. The snippet below shows how to use PlayerDispatcher
:
// ToroPlayer whose order is divisible by 3 will be delayed by 250 ms, others will be delayed by 1000 ms (1 second).
container.setPlayerDispatcher(player -> player.getPlayerOrder() % 3 == 0 ? 250 : 1000);
CoordinatorLayout
When using a Container
in the following View hierarchy
<CoordinatorLayout>
<AppBarLayout app:layout_behavior:AppBarLayout.Behavior.class>
<CollapsingToolbarLayout>
</CollapsingToolbarLayout>
</AppBarLayout>
<Container app:layout_behavior:ScrollingViewBehavior.class>
</Container>
</CoordinatorLayout>
In the layout above, when User 'scroll' the UI by flinging the CollapsingToolbarLayout (not the Container), neither CoordinatorLayout will not tell Container about the 'scroll', nor Container will trigger a call to Container#onScrollStateChanged(int)
. But in practice, an interaction like this will make the Player be visible, and User expects a playback to starts, which may not without some update in your codebase.
To support this use case, Toro adds a delegation Container.Behavior
that can be used manually to catch the behavior like above.
The usage looks like below:
// Add following snippet in Activity#onCreate or Fragment#onViewCreated
// Only when you use Container inside a CoordinatorLayout and depends on Behavior.
// 1. Request Container's LayoutParams
ViewGroup.LayoutParams params = container.getLayoutParams();
// 2. Only continue if it is of type CoordinatorLayout.LayoutParams
if (params != null && params instanceof CoordinatorLayout.LayoutParams) {
// 3. Check if there is an already set CoordinatorLayout.Behavior. If not, just ignore everything.
CoordinatorLayout.Behavior behavior = ((CoordinatorLayout.LayoutParams) params).getBehavior();
if (behavior != null) {
((LayoutParams) params).setBehavior(new Container.Behavior(behavior,
// 4. Container.Behavior requires a Container.BehaviorCallback to ask client what to do next.
new Container.BehaviorCallback() {
@Override public void onFinishInteraction() {
container.onScrollStateChanged(RecyclerView.SCROLL_STATE_IDLE);
}
}));
}
}
Below is the behavior before and after we apply the code above:
Before | After |
---|---|
For development:
./gradlew clean build
to start.Issue report and Pull Requests are welcome. Please follow issue format for quick response.
For Pull Requests, this project uses 2-space indent and no Hungarian naming convention.
Email to nam@ene.im with the description of your App using Toro to list it here.
Copyright 2017 eneim@Eneim Labs, nam@ene.im
Licensed under the Apache License, Version 2.0 (the "License");you may not use this file except in compliance with the License.You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, softwaredistributed under the License is distributed on an "AS IS" BASIS,WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.See the License for the specific language governing permissions andlimitations under the License.
For the Google Summer of Code 2014, I was selected for a project to create a REST API for ATutor. ATutor has hundreds of thousands of lines of code, yet is written in core PHP. Introducing a PHP route
SLAM(Simultaneous Localization and Mapping)是指通过机器人或移动设备在运动中获取环境信息,同时实现自身位置的估计。SLAM通常使用图优化算法来解决由于噪声、误差累积等问题带来的位姿误差和地图不精确的问题。常见的SLAM图优化算法包括g2o、LUM、ELCH、Toro和SPA等。 g2o是一种基于图优化的高效通用非线性优化框架,用于求解大规模稠密非线性最小二
Toro is a PHP router for developing RESTful web applications and APIs. It is designed for minimalists who want to get work done. Features 1. RESTful routing using strings, regular expressions, and def
搭建编译环境 安装Java 去Oracle官网下载Java6 JDK http://www.oracle.com/technetwork/java/javase/downloads/index.html 我下载的版本是Java 6u45。文件名为 jdk-6u45-linux-x64.bin 安装可以制作 Sun Java Debian 包的程序包 # apt-get install java-p
Dwyane Wade in Air Jordan IV Toro Weve learned time and time again that the sneaker contracts signed by LeBron X Low Easter and celebrities cant do much to control what theyre wearing when theyre not
一个非常小的PHP框架,主要是路由功能。 Toro is a tiny framework for PHP that lets you prototype web applications quickly. 示例代码: require_once 'toro.php';class MainHandler extends ToroHandler { public function get() {
ToroDB 是一个开源的面向文档的 JSON 数据库,基于 PostgreSQL 运行。JSON 文档关系化存储,而非 blob/jsonb 方式,可显著提升存储和 IO,兼容 MongoDB。 为什么选择 TORODB: ToroDB 利用关系数据库数十年的经验和性能 不像其他 NoSQL 一样重复造轮子 无模式数据库存储大量的重复元数据,ToroDB 只存储一次 因为基于 PostgreSQ