robo 3t汉化 1.1.1汉化

RoboGuice是什么?
一个Android上的依赖注入框架。
依赖注入是什么?
从字面理解,这个框架做了两件事情,第一是去除依赖,第二是注入依赖。简单理解就是,将对象的初始化委托给一个容器控制器,即去除依赖,再从容器控制器中构建依赖,注入回原本的对象中,即注入依赖。
依赖注入的好处是对象不需要在乎其依赖的初始化,使代码变得无比简洁。
在build.grade中添加依赖
dependencies {
provided 'org.roboguice:roboblender:3.0.1'
compile 'org.roboguice:roboguice:3.0.1'
二.视图注入
接触依赖注入后,最方便的可能就是视图的注入了,将之前成片的findViewById的代码省去,Activity中的代码量完成了史上第一次大扫除。
视图注入分三个步骤:
继承自RoboGuice的RoboActivity 当然RoboFragmentActivity也可以
为Activity加入content view(setContentView也可以使用注解来实现)
@ContentView(R.layout.activity_main)
public class MainActivity extends RoboFragmentActivity {
@InjectView(R.id.text_test)
TextView textV
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
textView.setText(&hello there!&);
由此可见,视图注入大大简化了Activity中的代码量。
同理 ,Fragment也是一样的。需要注意的是,视图注入需要在onViewCreated后使用。
public class AFragment extends RoboFragment {
@InjectView(R.id.fragment_text)
TextView textV
public static AFragment newInstance() {
return new AFragment();
public View onCreateView(LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
return inflater.inflate(R.layout.a_fragment, container, false);
public void onViewCreated(View view, Bundle savedInstanceState) {
super.onViewCreated(view, savedInstanceState);
textView.setText(&Hi there!&);
三.资源注入
RoboGuice除了提供了视图注入,还提供了资源的注入。
比如String资源、color资源、Animation资源等。
@ContentView(R.layout.activity_main)
public class MainActivity extends RoboFragmentActivity {
@InjectView(R.id.text_test)
TextView textV
@InjectResource(R.string.app_name)
String appN
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
textView.setText(appName);
四.系统服务注入
在Activity中可以注入各种系统服务,比如震动、通知管理。
完整的列表在这:
这样我们不用再去写烦人的getSystemService这种代码。
@ContentView(R.layout.activity_main)
public class MainActivity extends RoboFragmentActivity {
NotificationManager notificationM
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
vibrator.vibrate(500L);
notificationManager.cancelAll();
五.对象注入
对象的注入最大程度的完成了代码的解耦工作。也是类似框架中上手最慢的。
想象一个场景,比如在Activity中用户判断登录状态,我们不需要在乎UserInfo是如何初始化的,只在乎得到用户是否登陆的状态。
结合实际情况,举个例子。这是一个用来储存用户信息的model。
public class UserInfo {
private String userId;
public String getUserId() {
return userId;
public void setUserId(String userId) {
this.userId = userId;
public String getToken() {
public void setToken(String token) {
this.token =
public boolean isLogin(){
return !TextUtils.isEmpty(token);
使用注解注入UserInfo,RoboGuice会帮我们完成初始化工作,初始化时调用UserInfo的默认构造方法。
这样在没有写userInfo = new UserInfo()我们便操作了对象。
@ContentView(R.layout.activity_main)
public class MainActivity extends RoboFragmentActivity {
UserInfo userI
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
SharedPreferences sharedPreferences = PreferenceManager.getDefaultSharedPreferences(this);
userId = sharedPreferences.getString(&userId&, &&);
token = sharedPreferences.getString(&token&, &&);
String userId = sharedPreferences.getString(&userId&, &&);
String token = sharedPreferences.getString(&token&, &&);
userInfo.setUserId(userId);
userInfo.setToken(token);
再然而onCreate内部的取用户信息的代码确实很丑陋,我们需要在Activity中完成与页面不相关的初始化工作,核心原因是我们依赖了Activity中的Context。这就相当于,如果对象中的成员初始化时需要对象的一些属性,我们很难巧妙的将属性交给容器管理着负责初始化成员。
那么又该如何处理这么丑陋的代码呢。
RoboGuice提供了更让人欣喜的功能,将对象中的成员初始化需要的属性封装起来,提交给容器管理者,这样当依赖对象属性的成员初始化过程就可以完全脱离对象,在成功后注入回对象即可。
Talk is cheap! Show me the code.
在RoboGuice的Activity中,容器管理者已经默认提供了的属性比如页面中的Context,这样当成员初始化时,,当构造方法中的参数属性已经由Activity对象提交给容器管理者时,即容器管理者会使用该构造方法进行初始化。
我们经过改装,UserInfo和Activity是这样的。,,那么UserInfo的生命周期将是整个应用的生命周期,如果两个Activity都使用了该注解,那么产生的对象将是同一个。
这里需要注意的是,,将造成内存泄露,这个以后会有例子说明。
@ContextSingleton
public class UserInfo {
private static final String TAG = &UserInfo&;
private String userId;
public UserInfo(Context context) {
this.context =
private void init() {
SharedPreferences sharedPreferences = PreferenceManager.getDefaultSharedPreferences(context);
userId = sharedPreferences.getString(&userId&, &&);
token = sharedPreferences.getString(&token&, &&);
public String getUserId() {
return userId;
public void setUserId(String userId) {
this.userId = userId;
public String getToken() {
public void setToken(String token) {
this.token =
public boolean isLogin(){
return !TextUtils.isEmpty(token);
public void saveUserInfo(String userId) {
SharedPreferences.Editor editor = PreferenceManager.getDefaultSharedPreferences(context).edit();
editor.putString(&userId&, userId);
editor.apply();
@ContentView(R.layout.activity_main)
public class MainActivity extends RoboFragmentActivity {
@InjectView(R.id.text_test)
TextView textV
UserInfo userI
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
if(userInfo.isLogin()){
textView.setText(userInfo.getUserId());
textView.setText(&未登录&);
至此,入坑篇告一段落,这篇主要说明了RoboGuice的视图、资源、系统服务、对象等注入,为开发带来便捷,同时也减少了模块的耦合性。
阅读(...) 评论()&>&mongodb 客户端Robo 3T 1.1.1
mongodb 客户端Robo 3T 1.1.1
上传大小:14.38MB
mongodb 客户端,经试用完胜mongo VUE,推荐
综合评分:5(2位用户评分)
下载个数:
{%username%}回复{%com_username%}{%time%}\
/*点击出现回复框*/
$(".respond_btn").on("click", function (e) {
$(this).parents(".rightLi").children(".respond_box").show();
e.stopPropagation();
$(".cancel_res").on("click", function (e) {
$(this).parents(".res_b").siblings(".res_area").val("");
$(this).parents(".respond_box").hide();
e.stopPropagation();
/*删除评论*/
$(".del_comment_c").on("click", function (e) {
var id = $(e.target).attr("id");
$.getJSON('/index.php/comment/do_invalid/' + id,
function (data) {
if (data.succ == 1) {
$(e.target).parents(".conLi").remove();
alert(data.msg);
$(".res_btn").click(function (e) {
var parentWrap = $(this).parents(".respond_box"),
q = parentWrap.find(".form1").serializeArray(),
resStr = $.trim(parentWrap.find(".res_area_r").val());
console.log(q);
//var res_area_r = $.trim($(".res_area_r").val());
if (resStr == '') {
$(".res_text").css({color: "red"});
$.post("/index.php/comment/do_comment_reply/", q,
function (data) {
if (data.succ == 1) {
var $target,
evt = e || window.
$target = $(evt.target || evt.srcElement);
var $dd = $target.parents('dd');
var $wrapReply = $dd.find('.respond_box');
console.log($wrapReply);
//var mess = $(".res_area_r").val();
var mess = resS
var str = str.replace(/{%header%}/g, data.header)
.replace(/{%href%}/g, 'http://' + window.location.host + '/user/' + data.username)
.replace(/{%username%}/g, data.username)
.replace(/{%com_username%}/g, _username)
.replace(/{%time%}/g, data.time)
.replace(/{%id%}/g, data.id)
.replace(/{%mess%}/g, mess);
$dd.after(str);
$(".respond_box").hide();
$(".res_area_r").val("");
$(".res_area").val("");
$wrapReply.hide();
alert(data.msg);
}, "json");
/*删除回复*/
$(".rightLi").on("click",'.del_comment_r', function (e) {
var id = $(e.target).attr("id");
$.getJSON('/index.php/comment/do_comment_del/' + id,
function (data) {
if (data.succ == 1) {
$(e.target).parent().parent().parent().parent().parent().remove();
$(e.target).parents('.res_list').remove()
alert(data.msg);
//填充回复
function KeyP(v) {
var parentWrap = $(v).parents(".respond_box");
parentWrap.find(".res_area_r").val($.trim(parentWrap.find(".res_area").val()));
评论共有2条
和官网一样的,比官网下载快多了
还不错!~~~~~~~
上传者:qq
上传时间:积分/C币:2
上传者:qq_
上传时间:积分/C币:12
上传者:chen_xw
上传时间:积分/C币:3
上传者:ojiangchunyi
上传时间:积分/C币:3
上传者:chinapsu03
上传时间:积分/C币:3
上传者:sodosoft
上传时间:积分/C币:3
上传者:leizhxp
上传时间:积分/C币:3
上传者:sunboy_2050
上传时间:积分/C币:20
上传者:bolingyun
上传时间:积分/C币:12
上传者:yaojun_123_123
上传时间:积分/C币:10
上传者:lewise
上传时间:积分/C币:3
上传者:jackchenzl
上传时间:积分/C币:3
上传者:passion
上传时间:积分/C币:0
上传者:qddmg
上传时间:积分/C币:3
上传者:phuioo
上传时间:积分/C币:10
上传者:shengv
上传时间:积分/C币:3
上传者:new
上传时间:积分/C币:3
上传者:qq_
上传时间:积分/C币:2
上传者:yang_yansong
上传时间:积分/C币:3
审核通过送C币
Java常用工具和框架demo
创建者:qq_
Java学习资料,视频全集,全套完整视频
JavaWeb开发系列技术视频学习
创建者:alexander_yun
上传者其他资源上传者专辑
probe.war 3.0.0
Sublime Text 2.0.2 x64
Sublime Text Build 3126 x64
chrome 54 离线安装版
mysql 客户端
VIP会员动态
CSDN下载频道资源及相关规则调整公告V11.10
下载频道用户反馈专区
下载频道积分规则调整V1710.18
spring mvc+mybatis+mysql+maven+bootstrap 整合实现增删查改简单实例.zip
资源所需积分/C币
当前拥有积分
当前拥有C币
扫码关注并点击右下角获取下载码
输入下载码
为了良好体验,不建议使用迅雷下载
mongodb 客户端Robo 3T 1.1.1
会员到期时间:
剩余下载个数:
剩余C币:593
剩余积分:0
为了良好体验,不建议使用迅雷下载
积分不足!
资源所需积分/C币
当前拥有积分
您可以选择
程序员的必选
绿色安全资源
资源所需积分/C币
当前拥有积分
当前拥有C币
(仅够下载10个资源)
为了良好体验,不建议使用迅雷下载
资源所需积分/C币
当前拥有积分
当前拥有C币
为了良好体验,不建议使用迅雷下载
资源所需积分/C币
当前拥有积分
当前拥有C币
您的积分不足,将扣除 10 C币
为了良好体验,不建议使用迅雷下载
你当前的下载分为234。
你还不是VIP会员
开通VIP会员权限,免积分下载
你下载资源过于频繁,请输入验证码
您因违反CSDN下载频道规则而被锁定帐户,如有疑问,请联络:!
若举报审核通过,可奖励5下载分
被举报人:
jamespan001
举报的资源分:
请选择类型
资源无法下载
资源无法使用
标题与实际内容不符
含有危害国家安全内容
含有反动色情等内容
含广告内容
版权问题,侵犯个人或公司的版权
*详细原因:
mongodb 客户端Robo 3T 1.1.1Available now94.2% 7Limit 5tooltip.openquantity_select_hidden_label123451Warning!Choking Hazard.Small parts and Ball.ADD TO BAGADD TO WISHLISTFIND MORE PRODUCTS LIKE THISProduct DetailsHave fun with the cute 3-in-1 Robo Explorer!Item31062VIP Points24tooltip.openAges7-12Pieces205FacebookTwitterGoogle PlusPinterestFeaturesADD TO BAGImpress your friends with this awesome model! This characterful Robo Explorer features an azure, black and gray color scheme, bright-green eyes, working tracks, rotating body and head, and posable arms with working claw and searchlight. Rebuild this 3-in-1 LEGO(R) Creator model into a Robot Dog with a light-up jetpack or a Robot Bird with light-up eyes! Features bright-green eyes, working tracks, rotating body and head, and posable arms with working claw and searchlight.
Includes a LEGO(R) light brick.
Check out the azure, black and gray color scheme.
Enjoy futuristic adventures with your very own Robot.
Pose the Robo Explorer’s arms, body and head, activate the searchlight and see the tracks turn as you roll it along.
This set includes over 200 pieces and offers an age-appropriate build and play experience for ages 7-12.
3-in-1 model: rebuilds into a Robot Dog with a light-up jetpack or a Robot Bird with light-up eyes.
Robo Explorer stands over 4” (11cm) tall.
Robot Dog stands over 2” (7cm) tall.
Robot Bird stands over 3” (8cm) tall.ADD TO BAG
Robo Explorer is rated
4.7 out of
Rated 5 out of
Mikeylangelo from
Robo Explorer Has Found My Heart!
I love this set! Every build is unique, and I like the fact that they are all robots. They all function very well, and the light brick adds more life to them. The color scheme is wonderful in my opinion (azure, black and gray), and it makes each build look more futuristic. This is one of the few Creator sets where every build I enjoyed thoroughly, because every build has character. I highly recommend!
Rated 5 out of
BMOtime321 from
First creator build!
This is the first Lego Creator set I've attempted and it has been one of my favourite builds! I'm not as excited about the alternative builds, simply because the robot just has so much personality in the way his head is built to look like he's wearing glasses. It was a very quick build, I was even able to play around and make some changes to the wheel mechanics to roll more smoothly. I also LOVE the Light brick, great touch!
Rated 5 out of
DrSmith from
This a fun set to muck about with, and is good value for money. Fairly easy to build although I made a couple of mistakes with 1x1 pieces near the beginning.
The light brick is a neat piece, and I especially like all the articulated joints - I have none of these, so for me was a reason to buy.
Great color bricks, light brick and lots of moveable arm parts which will be useful for other projects. Great fun.
Body is a bit top heavy for it's position in the chassis. When you push the robot, it tends to tip forward. It just needs moving back a bit in the chassis, something I will have a look at later.
Rated 5 out of
BlueGalaxy47 from
Looks great, Works Great, And Is Great!
I have been wanting this set for a long time now mainly because of the light brick and the tracks, which I have never got in any other set before.
First of all, the look is great and I love the light blue colour scheme and it works well against the contrasting black. The head has a lot of articulation and looks so adorable! The eyes look so nice as well and I like the use of the green round tiles to represent eyes. The arms have a lot of articulation as well and also look amazing! In addition, the body is nicely curved and uses black, light blue and white as the colour scheme, and they work very well! Furthermore, the body has sideways rotation which is really cool, just like a real robot would have! The bottom section looks great as well with the light blue contrasting against the black tracks.
The rocks included are also a nice addition and are useful for play when the Robo Explorer wants to explore the rocks!
The light brick works really well as it looks cool and illuminated much brightly than I thought! This is useful for exploring the rocks, as the robo explorer can shine the light on the mysterious rocks to find out what they are and perhaps scan them! Children will have a lot of fun with this set because of the working tracks, the light bricks, the rocks, the articulation, and everything!
The tracks work really well as they are smooth and very fun to roll around and to have fun with!
I do wish that the robot could be a bit taller though and for the price to be less expensive.
Overall, this is an amazing set! Absolutely amazing! I love everything about it and I know that kids will absolutely love this set just as much as I do! |  |  |  |  |  | 
热门搜索:
您所在的位置: >
> 机器人塔防汉化版 Robo Defense V1.2.0
机器人塔防汉化版 Robo Defense V1.2.0 又名星际塔防。游戏中我们要保护画面右边的堡垒不受敌人的入侵!
软件大小:1.9 MB
软件类型:国产软件
软件分类: /
软件语言:简体中文
软件授权:免费软件
更新时间:
支持系统:Android/
相关链接:
相关合集:
热门专题:
手机扫一扫快捷方便下载
本类应用推荐
是一款类似于炉石传说的卡牌游戏
是一款非常好玩的冒险策略卡牌类的游戏
安卓破解版
一款最流行的社交手机麻将游戏平台
是一款功能更十分强大的棋牌作弊器工具
是一款轻度策略卡牌战斗手游
安卓破解版
一款可以和萌娘并肩战斗的收集养成类RPG手游
是一款冒险与策略塔防完美结合的手机游戏
安卓破解版
​一款独具湖南特色的棋牌游戏平台​
手机游戏排行榜
手游辅助 | 
一款专为荒野行动游戏玩家提供的穿墙修改器
角色扮演 | 
是一款传统SLG策略即时战斗游戏
手游辅助 | 
一款新推出的超好用的吃鸡游戏辅助工具
角色扮演 | 
一款打造华丽视觉盛宴的全新二次元冒险手游
角色扮演 | 
是一款全新武侠题材RPG动作游戏
角色扮演 | 
一款完美复刻传世经典玩法的热血PK手游
角色扮演 | 
一款传奇风格rpg动作手游
角色扮演 | 
一款真实还原三国历史的角色扮演类游戏
又名星际塔防。游戏中我们要保护画面右边的堡垒不受敌人的入侵!刚开始、我们有30的游戏金币、在右下角有三种不同价格的武器供我们选择!按住你要的武器拖动到屏幕上的任何位置!接着就开始保卫我们的家园了,刚开始只是一些小兵入侵到后来就会有更高级的,每攻击一个小兵或者其他都会有金钱奖励的、这个奖励很重要。我们可以用这些奖励的金钱买更强大的武器来抵抗外来敌人的入侵!完整版的地图从原先的 1 个直接增加至 5 个
,软件?软件下载后?飞翔小编十二分诚意等待着您的投诉与建议
APK文件怎么打开,下载APK文件如何安装到手机?推荐使用
软件无法下载
下载后无法使用
与描述不一致
你的空调我做主
2017圣诞恶搞相
荒野行动辅助大全
2017全年手游风
2017新手游排行榜
几维遥控器是一款操作简单便捷的随身万能遥控器软件,用户可通过几维遥控器app将你的手机变成万能遥控器,妈妈再也不担心我找不到遥控器了,有需要的小伙伴快来下载体验吧!...
你可能还喜欢
52z飞翔下载网小编为《绝地求生全军出击》手游玩家整理了绝地求生全军出击辅助合集,提供绝地求生全军出击辅助软件下载。其中包含了绝地求生全军出击自瞄辅助、绝地求生全军出击隐身辅助、绝地求生全军出击外挂辅助、绝地求生全军出击快速回血挂等等。相信有了这些绝地求生全军出击辅助软件,玩游戏会更加轻松愉快!
52z飞翔下载网小编在这里为大家整理了绝地求生全军出击游戏合集,提供绝地求生全军出击手游下载以及相关游戏辅助攻略。绝地求生全军出击这款手游是由腾讯天美工作室和PUBG公司联合打造,游戏拥有真实射击手感;好友组队开黑,全新社交游戏;经典超大地图,高清流畅画面;并且完全免费。喜欢吃鸡的玩家千万不要错过了!
52z飞翔下载网小编为各位玩家整理了光荣使命使命行动游戏合集,提供光荣使命使命行动手游下载以及相关攻略/辅助。光荣使命使命行动是一款全新的大逃杀枪战射击游戏,游戏延续了多少人的吃鸡情怀,多元化的装备载具震撼来袭,以百人生存的对抗射击为核心玩法,打造一个刺激好玩的热血战场。
52z飞翔下载网小编在这里为长生劫盗墓长生印玩家整理了长生劫盗墓长生印辅助合集,提供长生劫盗墓长生印辅助修改器下载。其中包含了长生劫盗墓长生印手游辅助、长生劫盗墓长生印手游辅助挂机免root脚本、长生劫盗墓长生印手游电脑版辅助安卓模拟器专属工具等等,相信有了这些辅助工具,玩游戏时会更加刺激好玩!
52z飞翔下载网小编在这里为各位喜欢盗墓题材游戏的玩家整理了长生劫盗墓长生印游戏合集,提供长生劫盗墓长生印手游下载以及长生劫盗墓长生印攻略、辅助、礼包等等。长生劫盗墓长生印是一款非常不错的盗墓系列游戏。每一个游戏人物都是独一无二的,拥有自己独特的天赋和技能,在各种情况下有着不同的优势和加成,每位玩家都能够打造出不同的最强的阵容!
52z飞翔下载网小编在这里为大家整理了宅樱影视APP版本大全,提供宅樱影视手机免费下载。宅樱影视是一款汇集海量影片的客户端应用,视频资源非常的齐全,特别的视频的搜索功能非常强大,几乎能够搜索全网所有的视频资源,是喜欢看视频的你不可多得的播放神器哦!
妈妈帮是ios和android上一个专为妈妈群体提供备孕、怀孕、育儿生活交流分享的社区平台。在妈妈帮,和6000万妈妈共同交流孕育生活。52z飞翔下载网小编在这里为各位整理了妈妈帮APP版本大全,提供妈妈帮各版本官方下载!
52z飞翔下载网为大家整理了小仓影音APP合集,提供小仓影音手机播放器下载。小仓影音是一款非常火爆的视频聚合类播放器,这里可以免费看各大平台的VIP资源,频道分类明确,想看什么就搜什么,视频应有尽有!
52z飞翔下载网小编在这里为各位整理了奇迹最强者游戏合集,提供奇迹最强者奇迹最强者安卓/ios/电脑版下载以及奇迹最强者辅助_攻略_礼包等等。《奇迹:最强者》由韩国网禅《奇迹MU》端游正版授权,塔人端游原班运营团队打造,龙图游戏发行3D魔幻MMORPG手游。还原盟战、攻城战、血色城堡、恶魔广场等端游玩法。
进入手机版一个Robo 3T的问题【mongodb吧】_百度贴吧
&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&签到排名:今日本吧第个签到,本吧因你更精彩,明天继续来努力!
本吧签到人数:0成为超级会员,使用一键签到本月漏签0次!成为超级会员,赠送8张补签卡连续签到:天&&累计签到:天超级会员单次开通12个月以上,赠送连续签到卡3张
关注:1,650贴子:
一个Robo 3T的问题收藏
实验室电脑是32位win7操作系统安装mongodb2.3,装在本地环境,之前我用的是可视化工具robomongo,安现在因为一些原因需要将数据迁移到虚拟云服务器上,服务器的mongodb版本是3.4,可是robomongo不支持3.0以上的mongodb,可以连接上,但查询不到数据。去robomongo官网查到了该软件的最新版本改名为了Robo 3T,它可以支持mongodb3,可找了半天没找到这个软件的32位版本,实验室的电脑用不了啊,有谁知道Robo 3T的32位软件下载地址么
mongodb,网易云一站式MongoDB解决方案,便捷高可靠,支持自动备份,一键快速恢复.mongodb,网易云0元免费备案,7*24小时客户支持,20年技术积累,50万+用户接入.
校友,同求。
登录百度帐号推荐应用

我要回帖

更多关于 robo 3t破解 的文章

 

随机推荐