我的应用程序中有几个用户角色。除了一些小的变化外,它们的一些屏幕应该几乎相似。有没有办法为所有用户创建一个布局,然后在运行时(用户登录后)更改一些 UI 元素,或者我应该为每个用户角色创建新布局?什么是最好的方法?
问问题
161 次
1 回答
1
如果更改确实很小,只需对所有人使用相同的布局,然后根据用户角色隐藏或删除调用中不需要的 UI 元素onCreate()
,例如:
public enum Roles { USER, ADMIN, SUPER };
private Roles myRole = Roles.USER;
@Override
protected void onCreate( Bundle data ) {
super.onCreate( data );
setContentView( R.layout.this_activity );
myRole = getUserRole(); // This could inspect the Bundle or a singleton
switch( myRole ) {
case Roles.USER:
findViewById( R.id.control1 ).setVisibility( View.GONE ); // This hides a control and the hidden control won't take up any space.
findViewById( R.id.control2 ).setVisibility( View.INVISIBLE ); // This hides a control but leaves an empty space on the screen.
findViewById( R.id.control3 ).setVisibility( View.VISIBILE );
break;
case Roles.ADMIN:
findViewById( R.id.control4 ).setVisibility( View.GONE );
findViewById( R.id.control5 ).setVisibility( View.INVISIBLE );
findViewById( R.id.control6 ).setVisibility( View.VISIBILE );
break;
}
}
请注意,您可以使用上述技术使整个布局消失,因此,如果您有一些超级管理员按钮,请将它们放在 a 中LinearLayout
,给布局一个 id,然后使用上述技术简单地隐藏整个位。
如果更改更显着,您可能需要考虑使用 Fragments 将关联的小部件捆绑在一起,然后只需将 Fragments 添加到适用于用户角色的布局中。
一般来说,我建议不要使用内容几乎相同的多个活动。
于 2013-03-10T23:07:15.497 回答