tags:

views:

474

answers:

2

I have a form with 2 fields where you can enter in either months or years. How do I setup the form so that if you enter in the years, the months edittext field will be automatically calculated and entered into it's own box. Likewise, I want the years to be calculated if you entered in the months

Can anyone give me sample code for this?

A: 

You have two ways to do this:

  1. Do character by character processing of one field to calculate the other field

    For this you may use the addTextChangedListener with a text watcher where you change the onTextChanged method to process the data.

    //some main function
    //editHandle is your EditText
    //from editHandle = (EditText) findViewById(R.id. <<your EditText>> );
    
    
    editHandle.addTextChangedListener(redoWatcher);
    }
    
    
    private TextWatcher redoWatcher = new TextWatcher() {
    
    
    
    public void beforeTextChanged(CharSequence s, int start, int count,
            int after) {
    }
    
    
    @Override   
    public void onTextChanged(CharSequence s, int start, int before,
            int count) {
        recalculate();
    }
    
    
    @Override
    public void afterTextChanged(Editable s) {
    
    
    }
    
    };

Now you can write the recalculate method to process the data.

2 . The other method is to calculate the data when the user changes focus to the other field.

Here you need to use the onFocusChangeListener

<Your EditView>.setOnFocusChangeListener(new OnFocusChangeListener() {

@Override
public void onFocusChange(View v, boolean hasFocus) {
    recalculate();
}

});

Either way, depending on the design you might want to check for valid input.

Ravi Vyas
A: 

Thank you Ravi. I had already figured it out. I used what you listed as your 2nd option. Although I do like your 1st option of recalculating by char entry. I'll keep this handy.

Rich