Включить отключить кнопку Сохранить во время проверки с помощью IDataErrorInfo
Как отключить/включить кнопку при выполнении проверки с помощью IDataErrorInfo
?
Я использую MVVM
используя рамки света GalaSoft. В моем классе модели я реализовал IDataErrorInfo
для отображения сообщений об ошибках.
public string this[string columnName]
{
get
{
Result = null;
if (columnName == "FirstName")
{
if (String.IsNullOrEmpty(FirstName))
{
Result = "Please enter first name";
}
}
else if (columnName == "LastName")
{
if (String.IsNullOrEmpty(LastName))
{
Result = "Please enter last name";
}
}
else if (columnName == "Address")
{
if (String.IsNullOrEmpty(Address))
{
Result = "Please enter Address";
}
}
else if (columnName == "City")
{
if (String.IsNullOrEmpty(City))
{
Result = "Please enter city";
}
}
else if (columnName == "State")
{
if (State == "Select")
{
Result = "Please select state";
}
}
else if (columnName == "Zip")
{
if (String.IsNullOrEmpty(Zip))
{
Result = "Please enter zip";
}
else if (Zip.Length < 6)
{
Result = "Zip's length has to be at least 6 digits!";
}
else
{
bool zipNumber = Regex.IsMatch(Zip, @"^[0-9]*$");
if (zipNumber == false)
{
Result = "Please enter only digits in zip";
}
}
}
else if (columnName == "IsValid")
{
Result = true.ToString();
}
return Result;
}
}
скриншот:http://i.stack.imgur.com/kwEI8.jpg
Как отключить/включить кнопку Сохранить. Любезно предложить?
спасибо
3 ответов
The Путь Джоша Смита для этого необходимо создать следующие методы в модели:
static readonly string[] ValidatedProperties =
{
"Foo",
"Bar"
};
/// <summary>
/// Returns true if this object has no validation errors.
/// </summary>
public bool IsValid
{
get
{
foreach (string property in ValidatedProperties)
{
if (GetValidationError(property) != null) // there is an error
return false;
}
return true;
}
}
private string GetValidationError(string propertyName)
{
string error = null;
switch (propertyName)
{
case "Foo":
error = this.ValidateFoo();
break;
case "Bar":
error = this.ValidateBar();
break;
default:
error = null;
throw new Exception("Unexpected property being validated on Service");
}
return error;
}
ViewModel затем содержит CanSave
свойство, которое считывает IsValid
свойства модели:
/// <summary>
/// Checks if all parameters on the Model are valid and ready to be saved
/// </summary>
protected bool CanSave
{
get
{
return modelOfThisVM.IsValid;
}
}
наконец, если вы используете RelayCommand
, вы можете установить предикат команды в CanSave
свойство, и представление автоматически включит или отключит кнопку. В ViewModel:
/// <summary>
/// Saves changes Command
/// </summary>
public ICommand SaveCommand
{
get
{
if (_saveCommand == null)
_saveCommand = new RelayCommand(param => this.SaveChanges(), param => this.CanSave);
return _saveCommand;
}
}
и в Вид:
<Button Content="Save" Command="{Binding Path=SaveCommand}"/>
и это все!
PS: Если вы еще не прочитали статью Джоша Смита, это изменит вашу жизнь.
вы можете добавить добавить логическое свойство CanSave и установить его в конце метода valiation. Привязать IsEnabled от кнопки к IsValid. Что-то вроде этого:
public bool CanSave
{
get{ return canSave; }
set{ canSave = value; RaisePropertyChanged( "CanSave" ); }
}
private bool canSave;
public string this[string columnName]
{
//....
CanSave = Result == String.Empty;
}
//xaml
<Button IsEnabled={Binding Path=CanSave}>Save</Button>
вот мой способ сделать это, используя комбинацию интерфейса IDataErrorInfo, словаря ValidationErrors и системы обмена сообщениями MVVM-Light. Прямо вперед и работает как шарм:
Модель Класс
public Dictionary<string, string> ValidationErrors = new Dictionary<string, string>();
public string this[string columnName]
{
get
{
// Remove Property error from ValidationErrors prior to any validation
ValidationErrors.Remove(propertyName);
//----------------------------------------
string Result = null;
if (columnName == "FirstName")
{
if (String.IsNullOrEmpty(FirstName))
{
// Add Property error to ValidationErrors Dic
ValidationErrors[propertyName] = Result = "Please enter first name";
//----------------------------------------
}
}
else if (columnName == "LastName")
{
if (String.IsNullOrEmpty(LastName))
{
// Add Property error to ValidationErrors Dic
ValidationErrors[propertyName] = Result = "Please enter last name";
//----------------------------------------
}
}
// Send MVVM-Light message and receive it in the Code Behind or VM
Messenger.Default.Send<PersonInfoMsg>(new PersonInfoMsg());
//----------------------------------------
return Result;
}
}
Просмотр Кода За
public partial class PersonInfoView : UserControl
{
public PersonInfoView()
{
InitializeComponent();
Messenger.Default.Register<PersonInfoMsg>(this, OnErrorMsg);
}
private void OnErrorMsg(PersonInfoMsg)
{
// In case of DataGrid validation
foreach (PersonInfoModel p in GridName.ItemsSource)
{
if (p.ValidationErrors.Count == 0)
SaveBtn.IsEnabled = true;
else
SaveBtn.IsEnabled = false;
}
}
}