Code:
/ DotNET / DotNET / 8.0 / untmp / WIN_WINDOWS / lh_tools_devdiv_wpf / Windows / wcp / Core / System / Windows / Media / FamilyMap.cs / 1 / FamilyMap.cs
//+------------------------------------------------------------------------ // // Microsoft Windows Client Platform // Copyright (C) Microsoft Corporation, 2002 // // File: FamilyMap.cs // // Contents: FontFamilyMap implementation // // Spec: [....]/sites/Avalon/Specs/Fonts.htm // // Created: 5-25-2003 [....] ([....]) // //----------------------------------------------------------------------- using System; using System.Collections; using System.Collections.Generic; using System.Diagnostics; using System.Security; using System.Globalization; using System.ComponentModel; using System.Windows.Markup; using MS.Internal.FontFace; using SR=MS.Internal.PresentationCore.SR; using SRID=MS.Internal.PresentationCore.SRID; namespace System.Windows.Media { ////// Defines which FontFamily to use for a specified set of Unicode code points and /// a specified language. The FontFamilyMap also specifies a scale factor, allowing the /// target FontFamily size to be adjusted to better match the size of other fonts /// used in the composite font family. /// public class FontFamilyMap { private Range[] _ranges; private XmlLanguage _language; private double _scaleInEm; private string _targetFamilyName; internal const int LastUnicodeScalar = 0x10ffff; private static readonly Range[] _defaultRanges = new Range[] { new Range(0, LastUnicodeScalar) }; internal static readonly FontFamilyMap Default = new FontFamilyMap( 0, LastUnicodeScalar, null, // any language null, // Target 1.0 // Scale ); ////// Construct a default family map object /// public FontFamilyMap() : this( 0, LastUnicodeScalar, null, // any language null, // Target 1.0 // Scale ) {} ////// Construct a Family map object /// /// first character /// last character /// language /// target family name /// font scale in EM internal FontFamilyMap( int firstChar, int lastChar, XmlLanguage language, string targetFamilyName, double scaleInEm ) { if (firstChar == 0 && lastChar == LastUnicodeScalar) _ranges = _defaultRanges; else _ranges = new Range[]{ new Range(firstChar, lastChar) }; _language = language; _scaleInEm = scaleInEm; _targetFamilyName = targetFamilyName; } ////// String of Unicode ranges as a list of 'FirstCode-LastCode' separated by comma /// e.g. "0000-00ff,00e0-00ef" /// [DesignerSerializationOptions(DesignerSerializationOptions.SerializeAsAttribute)] public string Unicode { set { if (value == null) throw new ArgumentNullException("value"); _ranges = ParseUnicodeRanges(value); } get { System.Text.StringBuilder sb = new System.Text.StringBuilder(); for (int i = 0; i < _ranges.Length; ++i) { if (i != 0) sb.Append(','); sb.AppendFormat(NumberFormatInfo.InvariantInfo, "{0:x4}-{1:x4}", _ranges[i].First, _ranges[i].Last); } return sb.ToString(); } } ////// Target font family name in which the ranges map to /// [DesignerSerializationOptions(DesignerSerializationOptions.SerializeAsAttribute)] public string Target { get { return _targetFamilyName; } set { _targetFamilyName = value; } } ////// Font scaling factor relative to EM /// public double Scale { get { return _scaleInEm; } set { CompositeFontParser.VerifyPositiveMultiplierOfEm("Scale", ref value); _scaleInEm = value; } } ////// Language to which the FontFamilyMap applies. /// ////// This property can be a specific language if the FontFamilyMap applies to just that /// language, a neutral language if it applies to a group of related languages, or /// the empty string if it applies to any language. The default value is the empty string. /// public XmlLanguage Language { get { return _language; } set { _language = (value == XmlLanguage.Empty) ? null : value; _language = value; } } ////// Indicates whether the FontFamilyMap is a simple one such as produced /// by common cases like "Tahoma,Verdana". /// ////// A simple family map matches all code points for all languages /// with no scaling. In other words, all properties except Target /// have default values. /// internal bool IsSimpleFamilyMap { get { return _language == null && _scaleInEm == 1.0 && _ranges == _defaultRanges; } } internal static bool MatchLanguage(XmlLanguage familyMapLanguage, XmlLanguage language) { // If there is no family map langue, the family map applies to any language. if (familyMapLanguage == null) { return true; } if (language != null) { return familyMapLanguage.RangeIncludes(language); } return false; } internal static bool MatchCulture(XmlLanguage familyMapLanguage, CultureInfo culture) { // If there is no family map langue, the family map applies to any language. if (familyMapLanguage == null) { return true; } if (culture != null) { return familyMapLanguage.RangeIncludes(culture); } return false; } internal Range[] Ranges { get { return _ranges; } } private static void ThrowInvalidUnicodeRange() { throw new FormatException(SR.Get(SRID.CompositeFontInvalidUnicodeRange)); } private static Range[] ParseUnicodeRanges(string unicodeRanges) { Listranges = new List (3); int index = 0; while (index < unicodeRanges.Length) { int firstNum; if (!ParseHexNumber(unicodeRanges, ref index, out firstNum)) { ThrowInvalidUnicodeRange(); } int lastNum = firstNum; if (index < unicodeRanges.Length) { if (unicodeRanges[index] == '?') { do { firstNum = firstNum * 16; lastNum = lastNum * 16 + 0x0F; index++; } while ( index < unicodeRanges.Length && unicodeRanges[index] == '?' && lastNum <= LastUnicodeScalar); } else if (unicodeRanges[index] == '-') { index++; // pass '-' character if (!ParseHexNumber(unicodeRanges, ref index, out lastNum)) { ThrowInvalidUnicodeRange(); } } } if (firstNum > lastNum || lastNum > LastUnicodeScalar || (index /// helper method to convert a string (written as hex number) into number. /// internal static bool ParseHexNumber(string numString, ref int index, out int number) { while (index = (int)'0' && n <= (int)'9') { number = (number * 0x10) + (n - ((int)'0')); index++; } else { n |= 0x20; // [A-F] --> [a-f] if (n >= (int)'a' && n <= (int)'f') { number = (number * 0x10) + (n - ((int)'a' - 10)); index++; } else { break; } } } bool retValue = index > startIndex; while (index < numString.Length && numString[index] == ' ') { index++; } return retValue; } internal bool InRange(int ch) { for(int i = 0; i < _ranges.Length; i++) { Range r = _ranges[i]; if(r.InRange(ch)) return true; } return false; } /// /// Unicode range /// internal class Range { private int _first; private uint _delta; internal Range( int first, int last ) { Debug.Assert(first <= last); _first = first; _delta = (uint)(last - _first); // used in range testing } internal bool InRange(int ch) { // clever code from Word meaning: "ch >= _first && ch <= _last", // this is done with one test and branch. return (uint)(ch - _first) <= _delta; } internal int First { get { return _first; } } internal int Last { get { return _first + (int) _delta; } } internal uint Delta { get { return _delta; } } } } } // File provided for Reference Use Only by Microsoft Corporation (c) 2007. // Copyright (c) Microsoft Corporation. All rights reserved.
Link Menu

This book is available now!
Buy at Amazon US or
Buy at Amazon UK
- DockProviderWrapper.cs
- PipelineModuleStepContainer.cs
- RegexReplacement.cs
- KnownBoxes.cs
- UriSectionReader.cs
- CopyOfAction.cs
- ListBindingConverter.cs
- HashHelpers.cs
- TextFormattingConverter.cs
- DuplicateWaitObjectException.cs
- BrowserCapabilitiesCompiler.cs
- ObjectFullSpanRewriter.cs
- IsolatedStorageException.cs
- WebPartAddingEventArgs.cs
- CodeFieldReferenceExpression.cs
- WebSysDescriptionAttribute.cs
- XmlQueryTypeFactory.cs
- ObjectDisposedException.cs
- UDPClient.cs
- ToolStripInSituService.cs
- TextCompositionManager.cs
- SelectionProcessor.cs
- DataTablePropertyDescriptor.cs
- CompositeScriptReferenceEventArgs.cs
- OleDbPermission.cs
- LayoutTableCell.cs
- EntityParameter.cs
- Source.cs
- DataSourceConverter.cs
- TextSearch.cs
- EntityDataSourceEntitySetNameItem.cs
- CodeTypeDelegate.cs
- HttpCacheVaryByContentEncodings.cs
- Int32Converter.cs
- WebBrowserNavigatedEventHandler.cs
- ProcessInfo.cs
- WebRequestModulesSection.cs
- GlobalItem.cs
- SortedDictionary.cs
- Deflater.cs
- PartDesigner.cs
- XmlTypeAttribute.cs
- SurrogateEncoder.cs
- ProxyFragment.cs
- XmlSchemaInferenceException.cs
- XsdCachingReader.cs
- LassoHelper.cs
- CodeExpressionStatement.cs
- PreProcessInputEventArgs.cs
- CodeMemberMethod.cs
- View.cs
- Odbc32.cs
- SerializerWriterEventHandlers.cs
- DesignerProperties.cs
- HttpFileCollection.cs
- UIElement.cs
- ReadOnlyHierarchicalDataSourceView.cs
- BrowsableAttribute.cs
- AddInSegmentDirectoryNotFoundException.cs
- WaitForChangedResult.cs
- SoapSchemaExporter.cs
- Oci.cs
- SmtpSpecifiedPickupDirectoryElement.cs
- PerspectiveCamera.cs
- ResourcePermissionBaseEntry.cs
- ToolBarDesigner.cs
- ClientCredentials.cs
- XmlDownloadManager.cs
- ListBindableAttribute.cs
- PolyLineSegment.cs
- Message.cs
- ReadContentAsBinaryHelper.cs
- ConfigurationPropertyAttribute.cs
- versioninfo.cs
- TextAdaptor.cs
- Material.cs
- WebConfigurationHost.cs
- CollectionAdapters.cs
- DetailsViewDeletedEventArgs.cs
- EntityClientCacheEntry.cs
- EntityClassGenerator.cs
- NavigationService.cs
- safex509handles.cs
- DynamicEndpoint.cs
- LineMetrics.cs
- Mutex.cs
- EndpointIdentity.cs
- SecurityResources.cs
- BindingRestrictions.cs
- RadioButtonFlatAdapter.cs
- BinaryParser.cs
- IOThreadTimer.cs
- HttpCookiesSection.cs
- KeyboardDevice.cs
- VirtualDirectoryMappingCollection.cs
- ConfigXmlCDataSection.cs
- SchemaMerger.cs
- DataGridColumn.cs
- EntitySet.cs
- DispatcherExceptionEventArgs.cs