我有一系列按钮。
每个按钮有两种不同的状态:第一状态,第二状态。每次点击,按钮都会变为交替状态。
在一个场景中,如果我点击Button1,它将处于第二状态。然后我点击Button2,Button2将变为第二状态,而Button1(或任何其他处于第二状态的按钮)返回第一状态。
如何在Appcelerator Titanium中执行此操作?
我已经创建了这样的按钮
function createButtons(data){
for (var i = 0; i < data.length; i++){
//Creating each button
var button = Titanium.UI.createImageView({
image: data[i].path,
value: 1
});
//Adding the buttons to the center view
centerButtons.add(button);
}
}
每次点击,我都会将按钮的value
更改为1或2,以确定按钮所处的状态。
问题是,当我点击Button1时,我可以更改它的值,但我不知道如何检测哪个其他按钮已经处于第二状态,这样我才能把它重置为它的第一个状态?
答案 0 :(得分:3)
以下示例代码将完成您的工作。在这里,我使用了按钮而不是imageView。您可以使用它来更改代码。
var win = Ti.UI.createWindow({
backgroundColor : 'white'
});
var currentView = Ti.UI.createView({
backgroundColor : '#EFEFEF'
});
var button = [],top = 0;
for (var i = 0; i < 5; i++){
top += 80;
//Creating each button
button[i] = Titanium.UI.createButton({
color : 'red',
top : top,
width : '80%',
value : 1
});
button[i].title = 'State ' + button[i].value;
button[i].addEventListener('click',changeState);
//Adding the buttons to the center view
currentView.add(button[i]);
}
var buttonState = Titanium.UI.createButton({
color : 'red',
top : top + 80,
title : 'View button states',
width : '80%',
});
var lblStates = Titanium.UI.createLabel({
color : 'red',
layout: 'horizontal',
top : top + 160,
text : 'Click on show button to view the button states',
width : '80%',
});
buttonState.addEventListener('click', showButtonStates);
currentView.add(lblStates);
currentView.add(buttonState);
win.add(currentView);
win.open();
//Changing the state of the clicked button
function changeState(e){
e.source.value= 2;
e.source.title = 'State ' + e.source.value;
for(var i = 0;i<5;i++){
if(e.source !== button[i]){
button[i].value = 1;
button[i].title = 'State ' + button[i].value;
}
}
}
//To display the button state
function showButtonStates(){
lblStates.text = "";
for(var i =0;i<5;i++){
lblStates.text = lblStates.text + '\nbutton' + (i+1) + ' ---> state: ' + button[i].value;
}
}
答案 1 :(得分:0)