Like dev hedgehog said ... the opposite would be: Not to use it.
The use of d: is for design mode, so you can have something like:
<Window ...
Height="600" Width="800"
d:Height="200" d:Width="300" >
And have a different design heigh/width for both design and runtime.
Some frameworks will actually help you out, and by doing something like (this example is specifically from the MVVM-Light framework):
DataContext="{Binding Main, Source={StaticResource Locator}}"
You could then have different values depending on the IsInDesignMode
variable, so you could implement different data services that will feed dummy data to your design (let's say a list of random dates) and the real data to your run time (real dates from your database for example).
This way, you don't need to worry on each page with the design/runtime, since the framework will sort it out for you and feed you the right data.
Edit:
As per your comments ... You can't do that that way. You'll either have to relay on some coding (option 1, the longer), or some framework (option 2, better in my opinion).
In each case your XAML will look like:
<TextBlock x:Name="FileText"
TextWrapping="Wrap"
Text="{Binding BlendabilityText}"
/>
You will need to have a public string BlendabilityText { get; set; }
on your model of course.
Option 1:
You will need to create your view model with this property: 'public string BlendabilityText { get; set; }', and have 2 constructors. A default empty one, that is what being called when you're in design mode by default, in which you'll initialize your property like BlendabilityText = "TestTest";
In your second constructor, which you should be calling for the runtime mode, you should do the same with the BlendabilityText = "ProductionValue";
value.
Now you should see the right output.
Option 2:
Using MVVM-Light framework, you could use the IsInDesignMode
to initialize your property, putting this in your constructor:
if (IsInDesignMode)
{
BlendabilityText = "TestTest";
}
else
{
BlendabilityText = "ProductionTest";
}
Now, your string get bounded to the correct value depending on the framework's IsInDesignMode
.