mention wxEVT_GRID_CELL_CHANGED-related changes
[wxWidgets.git] / docs / changes.txt
1 -------------------------------------------------------------------------------
2                              wxWidgets Change Log
3 -------------------------------------------------------------------------------
4
5 INCOMPATIBLE CHANGES SINCE 2.8.x
6 ================================
7
8
9         Notice that these changes are described in more details in
10         the "Changes Since wxWidgets 2.8" section of the manual,
11         please read it if the explanation here is too cryptic.
12
13
14 Unicode-related changes
15 -----------------------
16
17 The biggest changes in wxWidgets 3.0 are the changes due to the merge of the
18 old ANSI and Unicode build modes in a single build. See the Unicode overview
19 in the manual for more details but here are the most important incompatible
20 changes:
21
22 - Many wxWidgets functions taking "const wxChar *" have been changed to take
23   either "const wxString&" (so that they accept both Unicode and ANSI strings;
24   the argument can't be NULL anymore in this case) or "const char *" (if the
25   strings are always ANSI; may still be NULL). This change is normally
26   backwards compatible except:
27
28   a) Virtual functions: derived classes versions must be modified to take
29      "const wxString&" as well to make sure that they continue to override the
30      base class version.
31
32   b) Passing NULL as argument: as NULL can't be unambiguously converted to
33      wxString, in many cases code using it won't compile any more and NULL
34      should be replaced with an empty string.
35
36
37 - Some structure fields which used to be of type "const wxChar *" (such as
38   wxCmdLineEntryDesc::shortName, longName and description fields) are now of
39   type "const char *", you need to remove wxT() or _T() around the values used
40   to initialize them (which should normally always be ASCII).
41
42 - wxIPC classes didn't work correctly in Unicode build before, this was fixed
43   but at a price of breaking backwards compatibility: many methods which used
44   to work with "wxChar *" before use "void *" now (some int parameters were
45   also changed to size_t). While wxIPC_TEXT can still be used to transfer 7
46   bit text, the new wxIPC_UTF8TEXT format is used for transferring wxStrings.
47   Also notice that connection classes should change the parameter types of
48   their overridden OnExecute() or override a more convenient OnExec() instead.
49
50
51 wxODBC and contrib libraries removal
52 ------------------------------------
53
54 wxODBC library was unmaintained since several years and we couldn't continue
55 supporting it any longer so it was removed. Please use any of the other open
56 source ODBC libraries in the future projects.
57
58 Also the "applet", "deprecated", "fl", "mmedia" and "plot" contrib libraries
59 were removed as they were unmaintained and broken since several years.
60 The "gizmos", "ogl", "net" and "foldbar" contribs have been moved to
61 wxCode (see http://wxcode.sourceforge.net/complist.php); they are now
62 open for futher development by volunteers.
63
64 The "stc" and "svg" contribs instead have been moved respectively into a new
65 "official" library stc and in the core lib.
66
67
68 Changes in behaviour not resulting in compilation errors, please read this!
69 ---------------------------------------------------------------------------
70
71 - Default location of wxFileConfig files has changed under Windows, you will
72   need to update your code if you access these files directly.
73
74 - wxWindow::IsEnabled() now returns false if a window parent (and not
75   necessarily the window itself) is disabled, new function IsThisEnabled()
76   with the same behaviour as old IsEnabled() was added.
77
78 - Generating wxNavigationKeyEvent events doesn't work any more under wxGTK (and
79   other platforms in the future), use wxWindow::Navigate() or NavigateIn()
80   instead.
81
82 - Sizers distribute only the extra space between the stretchable items
83   according to their proportions and not all available space. We believe the
84   new behaviour corresponds better to user expectations but if you did rely
85   on the old behaviour you will have to update your code to set the minimal
86   sizes of the sizer items to be in the same proportion as the items
87   proportions to return to the old behaviour.
88
89 - wxWindow::Freeze/Thaw() are not virtual any more, if you overrode them in
90   your code you need to override DoFreeze/Thaw() instead now.
91
92 - wxCalendarCtrl has native implementation in wxGTK, but it has less features
93   than the generic one. The native implementation is used by default, but you
94   can still use wxGenericCalendarCtrl instead of wxCalendarCtrl in your code if
95   you need the extra features.
96
97 - wxDocument::FileHistoryLoad() and wxFileHistory::Load() now take const
98   reference to wxConfigBase argument and not just a reference, please update
99   your code if you overrode these functions and change the functions in the
100   derived classes to use const reference as well.
101
102 - Under MSW wxExecute() arguments are now always properly quoted, as under
103   Unix, and so shouldn't contain quotes unless they are part of the argument.
104
105 - wxDocument::OnNewDocument() doesn't call OnCloseDocument() any more.
106
107 - If you use wxScrolledWindow::SetTargetWindow() you must implement its
108   GetSizeAvailableForScrollTarget() method, please see its documentation for
109   more details.
110
111
112 Changes in behaviour which may result in compilation errors
113 -----------------------------------------------------------
114
115 - WXWIN_COMPATIBILITY_2_4 doesn't exist any more, please update your code if
116   you still relied on features deprecated since version 2.4
117
118 - wxDC classes hierarchy has changed, if you derived any classes from wxDC you
119   need to review them as wxDC doesn't have any virtual methods any longer and
120   uses delegation instead of inheritance to present different behaviours.
121
122 - Return type of wxString::operator[] and wxString::iterator::operator* is no
123   longer wxChar (i.e. char or wchar_t), but wxUniChar. This is not a problem
124   in vast majority of cases because of conversion operators, but it can break
125   code that depends on the result being wxChar.
126
127 - The value returned by wxString::c_str() cannot be casted to non-const char*
128   or wchar_t* anymore. The solution is to use newly added wxString methods
129   char_str() (which returns a buffer convertible to char*) or wchar_str()
130   (which returns a buffer convertible to wchar_t*). These methods are
131   available in wxWidgets 2.8 series beginning with 2.8.4 as well.
132
133 - The value returned by wxString::operator[] or wxString::iterator cannot be
134   used in switch statements anymore, because it's a class instance. Code like
135   this won't compile:
136      switch (str[i]) { ... }
137   and has to be replaced with this:
138      switch (str[i].GetValue()) { ... }
139
140 - Return type of wxString::c_str() is now a helper wxCStrData struct and not
141   const wxChar*. wxCStrData is implicitly convertible to both "const char *"
142   and "const wchar_t *", so this only presents a problem if the compiler cannot
143   apply the conversion. This can happen in 2 cases:
144
145   + There is an ambiguity because the function being called is overloaded to
146     take both "const char *" and "const wchar_t *" as the compiler can't choose
147     between them. In this case you may use s.wx_str() to call the function
148     matching the current build (Unicode or not) or s.mb_str() or s.wc_str() to
149     explicitly select narrow or wide version of it.
150
151     Notice that such functions are normally not very common but unfortunately
152     Microsoft decided to extend their STL with standard-incompatible overloads
153     of some functions accepting "const wchar_t *" so you may need to replace
154     some occurrences of c_str() with wx_str() when using MSVC 8 or later.
155
156   + Some compilers, notably Borland C++ and DigitalMars, don't correctly
157     convert operator?: operands to the same type and fail with compilation
158     error instead. This can be worked around by explicitly casting to const
159     wxChar*: wxLogError(_("error: %s"), !err.empty() ? (const wxChar*)err.c_str() : "")
160
161 - wxCtime() and wxAsctime() return char*; this is incompatible with Unicode
162   build in wxWidgets 2.8 that returned wchar_t*.
163
164 - DigitalMars compiler has a bug that prevents it from using
165   wxUniChar::operator bool in conditions and it erroneously reports type
166   conversion ambiguity in expressions such as this:
167      for ( wxString::const_iterator p = s.begin(); *p; ++p )
168   This can be worked around by explicitly casting to bool:
169      for ( wxString::const_iterator p = s.begin(); (bool)*p; ++p )
170
171 - Virtual wxHtmlParser::AddText() takes wxString, not wxChar*, argument now.
172
173 - Functions that took wxChar* arguments that could by NULL in wxWidgets 2.8
174   are deprecated and passing NULL to them won't compile anymore, wxEmptyString
175   must be used instead.
176
177 - wxTmemxxx() functions take either wxChar* or char*, not void*: use memxxx()
178   with void pointers.
179
180 - Removed insecure wxGets() and wxTmpnam() functions.
181
182 - Removed global GetLine() function from wx/protocol/protocol.h, use
183   wxProtocol::ReadLine() instead.
184
185 - wxVariant no longer derives from wxObject. wxVariantData also no longer
186   derives from wxObject; instead of using wxDynamicCast with wxVariantData you
187   can use the macro wxDynamicCastVariantData with the same arguments.
188
189 - wxWindow::Next/PrevControlId() don't exist any more as they couldn't be
190   implemented correctly any longer because automatically generated ids are not
191   necessarily allocated consecutively now. Use GetChildren() to find the
192   next/previous control sibling instead.
193
194 - Calling wxConfig::Write() with an enum value will fail to compile because
195   wxConfig now tries to convert all unknown types to wxString automatically.
196   The simplest solution is to cast the enum value to int.
197
198 - Several wxImage methods which previously had "long bitmaptype" parameters
199   have been changed to accept "wxBitmapType bitmaptype", please use enum
200   wxBitmapType in your code.
201
202 - wxGridCellEditor::EndEdit() signature has changed and it was split in two
203   functions, one still called EndEdit() and ApplyEdit(). See the documentation
204   of the new functions for more details about how grid editors should be
205   written now.
206
207 - wxEVT_GRID_CELL_CHANGE event renamed to wxEVT_GRID_CELL_CHANGED and shouldn't
208   be vetoed any more, use the new wxEVT_GRID_CELL_CHANGING event to do it.
209
210
211 Deprecated methods and their replacements
212 -----------------------------------------
213
214 - wxCreateGreyedImage() deprecated, use wxImage::ConvertToGreyscale() instead.
215 - wxString::GetWriteBuf() and UngetWriteBuf() deprecated, using wxStringBuffer
216   or wxStringBufferLength instead.
217 - wxDIRCTRL_SHOW_FILTERS style is deprecated, filters are alwsys shown if
218   specified so this style should simply be removed
219 - wxDocManager::MakeDefaultName() replaced by MakeNewDocumentName() and
220   wxDocument::GetPrintableName() with GetUserReadableName() which are simpler
221   to use
222 - wxXmlProperty class was renamed to wxXmlAttribute in order to use standard
223   terminology. Corresponding wxXmlNode methods were renamed to use
224   "Attribute" instead of "Property" or "Prop" in their names.
225 - wxConnection::OnExecute() is not formally deprecated yet but new code should
226   use simpler OnExec() version which is called with wxString argument
227 - wxMenuItem::GetLabel has been deprecated in favour of wxMenuItem::GetItemLabelText
228 - wxMenuItem::GetText has been deprecated in favour of wxMenuItem::GetItemLabel
229 - wxMenuItem::GetLabelFromText has been deprecated in favour of wxMenuItem::GetLabelText
230 - wxMenuItem::SetText has been deprecated in favour of wxMenuItem::SetItemLabel
231 - wxBrush's, wxPen's SetStyle() and GetStyle() as well as the wxBrush/wxPen ctor now take
232   respectively a wxBrushStyle and a wxPenStyle value instead of a plain "int style";
233   use the new wxBrush/wxPen style names (wxBRUSHSTYLE_XXX and wxPENSTYLE_XXX) instead
234   of the old deprecated wxXXX styles (which however are still available).
235 - EVT_GRID_CELL_CHANGE was deprecated, use EVT_GRID_CELL_CHANGED instead if you
236   don't veto the event in its handler and EVT_GRID_CELL_CHANGING if you do.
237 - EVT_CALENDAR_DAY event has been deprecated, use EVT_CALENDAR_SEL_CHANGED.
238 - EVT_CALENDAR_MONTH and EVT_CALENDAR_YEAR events are deprecated,
239   use EVT_CALENDAR_PAGE_CHANGED which replaces both of them.
240 - wxCalendarCtrl::EnableYearChange() and wxCAL_NO_YEAR_CHANGE are deprecated.
241   There is no replacement for this functionality, it is being dropped as it is
242   not available in native wxCalendarCtrl implementations.
243 - wxDC::SetClippingRegion(const wxRegion&) overload is deprecated as it used
244   different convention from the other SetClippingRegion() overloads: wxRegion
245   passed to it was interpreted in physical, not logical, coordinates. Replace
246   it with SetDeviceClippingRegion() if this was the correct thing to do in your
247   code.
248 - wxTE_AUTO_SCROLL style is deprecated as it's always on by default anyhow.
249 - wxThreadHelper::Create() has been deprecated in favour of wxThreadHelper::CreateThread
250   which has a better name for a mix-in class, and allows setting the thread type.
251
252
253 Major new features in this release
254 ----------------------------------
255
256 - wxWidgets is now always built with Unicode support but provides the same
257   simple (i.e. "char *"-tolerant) API as was available in ANSI build in the
258   past.
259
260 - wxWidgets may now use either wchar_t (UTF-16/32) or UTF-8 internally,
261   depending on what is optimal for the target platform.
262
263 - New propgrid library containing wxPropertyGrid and related classes, many
264   enhancements to wxDataViewCtrl.
265
266 - Event loops, timers and sockets can now be used in wxBase, without GUI.
267
268 - Documentation for wxWidgets has been converted from LaTex to C++ headers
269   with Doxygen comments and significantly improved in the process (screenshots
270   of various controls were added, more identifiers are now linked to their
271   definition &c). Any reports about inaccuracies in the documentation are
272   welcome (and due to using the simple Doxygen syntax it is now easier than
273   ever to submit patches correcting them! :-)
274
275
276 2.9.0
277 -----
278
279 All:
280
281 - Added (experimental) IPv6 support to wxSocket (Arcen).
282 - Cleaned up wxURI and made it Unicode-friendly.
283 - Add support for wxExecute(wxEXEC_ASYNC) in wxBase (Lukasz Michalski)
284 - Added wxXLocale class and xlocale-like functions using it.
285 - Allow loading message catalogs from wxFileSystem (Axel Gembe)
286 - Added wxMessageQueue class for inter-thread communications
287 - Use UTF-8 for Unicode data in wxIPC classes (Anders Larsen)
288 - Added support for user-defined types to wxConfig (Marcin Wojdyr).
289 - Added numeric options support to wxCmdLineParser (crjjrc)
290 - Added wxJoin() and wxSplit() functions (Francesco Montorsi).
291 - Added wxDateTime::FormatISOCombined() and ParseISODate/Time/Combined()
292 - Added wxMutex::LockTimeout() (Aleksandr Napylov).
293 - Added wxMemoryInputStream(wxInputStream&) ctor (Stas Sergeev).
294 - Implemented wxMemoryInputStream::CanRead().
295 - Implemented wxMemoryFSHandler::FindFirst/Next().
296 - Added wxEventLoop::DispatchTimeout().
297 - Added wxEXEC_BLOCK flag (Hank Schultz).
298 - Add support for wxStream-derived classes to wxRTTI (Stas Sergeev).
299 - Added wxStreamBuffer::Truncate() (Stas Sergeev).
300 - Allow using  wxEventLoop in console applications (Lukasz Michalski).
301 - Added functions for Base64 en/decoding (Charles Reimers).
302 - Added support for binary data to wxConfig (Charles Reimers).
303 - Added functions for atomically inc/decrementing integers (Armel Asselin).
304 - wxLogInterposer has been added to replace wxLogPassThrough and new
305   wxLogInterposerTemp was added.
306 - Added support for broadcasting to UDP sockets (Andrew Vincent).
307 - Documentation now includes the wx library in which each class is defined.
308 - wxrc --gettext now generates references to source .xrc files (Heikki
309   Linnakangas).
310 - wxVariant::Unshare allows exclusive allocation of data that must be shared,
311   if the wxVariantData::Clone function is implemented.
312 - Added wxWeakRef<T>, wxScopedPtr<T>, wxSharedPtr<T> class templates
313 - Added wxVector<T> class templates
314 - Added wxON_BLOCK_EXIT_SET() and wxON_BLOCK_EXIT_NULL() to wx/scopeguard.h.
315 - Added wxEvtHandler::QueueEvent() replacing AddPendingEvent() and
316   wxQueueEvent() replacing wxPostEvent().
317 - wxString now uses std::[w]string internally by default, meaning that it is
318   now thread-safe if the standard library provided with your compiler is.
319 - Added wxCmdLineParser::AddUsageText() (Marcin 'Malcom' Malich).
320 - Fix reading/writing UTF-7-encoded text streams.
321 - Corrected bug in wxTimeSpan::IsShorterThan() for equal time spans.
322 - Use std::unordered_{map,set} for wxHashMap/Set if available (Jan van Dijk).
323 - Added wxString::Capitalize() and MakeCapitalized().
324 - Added wxArray::swap().
325 - Added wxSHUTDOWN_LOGOFF and wxSHUTDOWN_FORCE wxShutdown() flags (troelsk).
326 - Added wxArtProvider::GetNativeSizeHint(); GetSizeHint() as well as
327   GetNativeSizeHint() now return more sensible values in wxMSW and wxMac and
328   no longer return bogus values.
329
330 All (Unix):
331
332 - Added wx-config --optional-libs command line option (John Labenski).
333 - Noticeably (by a factor of ~150) improve wxIPC classes performance.
334
335 All (GUI):
336
337 - Added wxDataViewCtrl class and helper classes.
338 - Integrated wxPropertyGrid in wxWidgets itself (Jaakko Salli).
339 - Provide native implementation of wxCalendarCtrl under wxMSW and wxGTK.
340 - Added wxHeaderCtrl and allow using it in wxGrid.
341 - Added wxRearrangeList, wxRearrangeCtrl and wxRearrangeDialog.
342 - Added {wxTextCtrl,wxComboBox}::AutoComplete() and AutoCompleteFileNames().
343 - Added wxH[V]ScrolledWindow (Brad Anderson, Bryan Petty).
344 - Added wxNotificationMessage class for non-intrusive notifications.
345 - Added wxWindow::Show/HideWithEffect().
346 - Added wxWrapSizer (Arne Steinarson).
347 - Added wxSpinCtrlDouble (John Labenski).
348 - Support custom labels in wxMessageDialog (Gareth Simpson for wxMac version).
349 - Added wxScrolledWindow::ShowScrollbars().
350 - Also added wxCANCEL_DEFAULT to wxMessageDialog.
351 - Allow copying text in the log dialogs.
352 - Added multisample (anti-aliasing) support to wxGLCanvas (Olivier Playez).
353 - Initialize wx{Client,Paint,Window}DC with fonts/colours of its window.
354 - Added wxNativeContainerWindow to allow embedding wx into native windows.
355 - Added custom controls support to wxFileDialog (Diaa Sami and Marcin Wojdyr).
356 - Added wxDC::StretchBlit() for wxMac and wxMSW (Vince Harron).
357 - Added support for drop down toolbar buttons (Tim Kosse).
358 - Added support for labels for toolbar controls (Vince Harron).
359 - Added wxMessageDialog::SetMessage() and SetExtendedMessage().
360 - Added wxListCtrl::Set/GetColumnsOrder() (Yury Voronov).
361 - Made wxLogWindow thread-safe (Barbara Maren Winkler).
362 - Added wxWindow::AlwaysShowScrollbars() (Julian Scheid).
363 - Added wxMouseEvent::GetClickCount() (Julian Scheid).
364 - Added wxBG_STYLE_TRANSPARENT background style (Julian Scheid).
365 - Added support for drop-down toolbar buttons to XRC.
366 - Added XRCSIZERITEM() macro for obtaining sizers from XRC (Brian Vanderburg II).
367 - New and improved wxFileCtrl (Diaa Sami and Marcin Wojdyr).
368 - Added wxEventBlocker class (Francesco Montorsi).
369 - Added wxFile/DirPickerCtrl::Get/SetFile/DirName() (Francesco Montorsi).
370 - Added wxSizerFlags::Top() and Bottom().
371 - Slovak translation added.
372 - Fixed tab-related drawing and hit-testing bugs in wxRichTextCtrl.
373 - Implemented background colour in wxRichTextCtrl.
374 - Fixed crashes in helpview when opening a file.
375 - Set locale to the default in all ports, not just wxGTK.
376 - Added wxJoystick::GetButtonState/Position() (Frank C Szczerba).
377 - Added wxGridUpdateLocker helper class (Evgeniy Tarassov).
378 - Support wxGRID_AUTOSIZE in wxGrid::SetRow/ColLabelSize() (Evgeniy Tarassov).
379 - Added wxWindow::NavigateIn() in addition to existing Navigate().
380 - Add support for <data> tags to wxrc.
381 - Support wxAPPLY and wxCLOSE in CreateStdDialogButtonSizer() (Marcin Wojdyr).
382 - Show standard options in wxCmdLineParser usage message (Francesco Montorsi).
383 - Added wxRect::operator+ (union) and * (intersection) (bdonner).
384 - Added support for two auxiliary mouse buttons to wxMouseEvent (Chris Weiland).
385 - Added wxToolTip::SetAutoPop() and SetReshow() (Jan Knepper).
386 - Added wxTaskBarIcon::Destroy().
387 - Added XRC handler for wxSearchCtrl (Sander Berents).
388 - Read image resolution from TIFF, JPEG and BMP images (Maycon Aparecido Gasoto).
389 - Add support for reading alpha data from TIFF images.
390 - Added wxSYS_DCLICK_TIME system metric constant (Arne Steinarson).
391 - Added wxApp::Get/SetAppDisplayName() (Brian A. Vanderburg II).
392 - Added wxWindow::GetPopupMenuSelectionFromUser() (Arne Steinarson).
393 - Implemented wxTreeCtrl::GetPrevVisible() in the generic version and made the
394   behaviour of GetNextSibling() consistent between wxMSW and generic versions.
395 - Merged wxRichTextAttr and wxTextAttrEx into wxTextAttr, and added a font table
396   to wxRichTextBuffer to reduce wxFont consumption and increase performance.
397 - Optimize wxGenericTreeCtrl::Collapse/ExpandAllChildren()
398   (Szczepan Holyszewski).
399 - Added <scrollrate> parameter to wxScrolledWindow XRC handler.
400 - Added support for automatic dialog scrolling, via the new
401   wxDialogLayoutAdapter class and various new wxDialog functions. See the
402   topic "Automatic Scrolling Dialogs" in the manual for further details.
403 - Added support for resizing wxWizard bitmaps to the current page height,
404   via SetBitmapPlacement, SetBitmapBackgroundColour and SetMinimumBitmapWidth.
405   Also made it easier to derive from wxWizard and override behaviour.
406 - Made wxSizer::Fit() set the client size of the target window
407 - Add support for wxDatePickerCtrl in wxGenericValidator (Herry Ayen Yang)
408 - Added wxWindow::HasFocus().
409 - Added wxGLCanvas::IsDisplaySupported().
410 - Added wxApp::SetNativeTheme() (Stefan H.).
411 - Made wxSpinCtrl::Reparent() in MSW and generic versions (Angelo Mottola).
412 - Freeze() and Thaw() now recursively freeze/thaw the children too.
413 - Generalized wxScrolledWindow into wxScrolled<T> template that can derive
414   from any window class, not just wxPanel.
415 - Allow having menu separators with ids != wxID_SEPARATOR (Jeff Tupper)
416 - Fix appending items to sorted wxComboCtrl after creation (Jaakko Salli)
417 - Don't blit area larger than necessary in wxBufferedDC::UnMask (Liang Jian)
418 - Fixed wxPixelData<wxImage> compilation (Leonardo Fernandes).
419 - Added wxImage::GetType() (troelsk).
420 - Added wxGenericStaticBitmap suitable for display of large bitmaps.
421 - Support wxListCtrl::GetViewRect() in report view too.
422 - Implement wxListCtrl::GetSubItemRect() in generic version (David Barnard).
423 - Added wxVListBox::GetItemRect() (Javier Urien).
424 - Show busy cursor in wxLaunchDefaultBrowser and add wxBROWSER_NOBUSYCURSOR.
425 - Added wxFlexGridSizer::Is{Row,Col}Growable() (Marcin Wojdyr).
426 - Added "enabled" and "hidden" attributes to radio box items in XRC.
427 - wxWindow::IsBeingDeleted() now returns true not only if the window itself is
428   marked for destruction but also if any of its parent windows are.
429 - Improved drawing of the hint during column move in wxGrid (Santo Pfingsten).
430 - Add wxGridSelectRowsOrColumns selection mode to wxGrid.
431 - Add wxEVT_GRID_CELL_CHANGING event matching wxEVT_GRID_CELL_CHANGED.
432 - Get/HasModifiers() of wxKeyEvent are now also available in wxMouseEvent.
433 - Provide new/old cell value in wxEVT_GRID_CELL_CHANGING/CHANGED events.
434
435 wxGTK:
436
437 - Support for markup and ellipsization in wxStaticText (Francesco Montorsi).
438 - Native implementation for wxHyperlinkCtrl (Francesco Montorsi).
439 - Native keyboard navigation implementation.
440 - Added wxCB_SORT support to wxComboBox (Evgeniy Tarassov).
441 - Don't overwrite primary selection with clipboard and vice versa.
442 - Implemented support for underlined fonts in wxStaticText.
443 - wxTopLevelWindow::SetSizeHints size increments now work.
444 - wxTopLevelWindow::GetSize() returns the size including the WM decorations.
445 - wxTopLevelWindow::GetClientSize() returns 0x0 when the window is minimized.
446 - Added support for colour cursors (Pascal Monasse).
447 - Pass current control text to EVT_TEXT handler for wxSpinCtrl (John Ratliff).
448 - Added gtk.tlw.can-set-transparency system option.
449 - Added support for GTK+ print backend
450 - Fix changing font/colour of label in buttons with images (Marcin Wojdyr).
451 - Fix wxDC::Blit() support for user scale and source offset (Marcin Wojdyr).
452
453 wxMac:
454
455 - Better IconRef support (Alan Shouls).
456 - Fix duplicate (empty) help menu in non-English programs (Andreas Jacobs).
457 - Allow accelerators to be used with buttons too (Ryan Wilcox).
458 - Support resource forks in wxCopyFile() (Hank Schultz).
459 - Implement wxLocale::GetInfo() using CFLocale.
460 - Native wxCollapsiblePane implementation.
461
462 wxMSW:
463
464 - Fixed infinite loop in wxThread::Wait() in console applications.
465 - Return the restored window size from GetSize() when window is minimized.
466 - wxCheckListBox now looks more native, especially under XP (Marcin Malich).
467 - wxCheckListBox now also supports use of client data (Marcin Malich).
468 - Allow tooltips longer than 64 (up to 128) characters in wxTaskBarIcon
469 - Fix centering wxFileDialog and allow positioning it.
470 - Allow centering wxMessageDialog on its parent window (troelsk).
471 - Use vertical scrollbar in wxMessageDialog if it's too big to fit on screen.
472 - Show resize gripper on resizeable dialogs (Kolya Kosenko).
473 - Implement support for display enumeration under WinCE (Vince Harron).
474 - Use different Win32 class names in different wx instances (Thomas Hauk).
475 - Support multiline labels for wxCheckBox and wxToggleButton.
476 - Print preview is now rendered in the resolution used by printer and
477   accurately represents what will be printed. This fixes wxHtmlEasyPrinting
478   preview inaccuracies on Windows; on other platforms, native preview
479   should be used.
480
481 wxX11:
482
483 - Added mouse wheel support (David Hart).
484 - Make Enter key activate the default button (David Hart).
485
486 wxDFB:
487
488 - Implement wxBitmap ctor from XBM data.
489
490
491 2.8.9
492 -----
493
494 All:
495
496 - Optimize wxString::Replace() for single character arguments.
497 - Updated Hindi translation (Priyank Bolia).
498 - Use tr1::unordered_{map,set} for wxHash{Map,Set} implementation if available
499   in STL build; in particular do not use deprecated hash_{map,set} which
500   results in a lot of warnings from newer g++ (Jan Van Dijk and Pete Stieber).
501
502 All (GUI):
503
504 - Added support for reading alpha channel in BMP format (Kevin Wright).
505 - Fixed help viewer bug whereby the splitter sash in wxHtmlHelpWindow could
506   go underneath the left-hand pane, permanently, after resizing the
507   help window.
508 - Fixed wxHTML default font size for printing to be 12pt regardless of the
509   platform, instead of depending on GUI toolkit's screen configuration.
510 - Support wxDP_ALLOWNONE style in generic wxDatePickerCtrl version.
511 - Set wxKeyEvent::m_uniChar correctly in the events generated by generic
512   wxListCtrl (Mikkel S).
513 - Fix changing size of merged cells in wxGrid (Laurent Humbertclaude).
514 - Fixed wrapping bug in wxRichTextCtrl when there were images present;
515   now sets the cursor to the next line after pressing Shift+Enter.
516 - Fixed Cmd+Back, Cmd+Del word deletion behaviour in wxRichTextCtrl.
517 - Fix crash when reading malformed PCX images.
518 - Fix bug with wrong transparency in GIF animations (troelsk).
519 - Store palette information for XPM images in wxImage (troelsk).
520 - Fixed selection bugs and auto list numbering in wxRichTextCtrl.
521 - Significantly optimize wxGrid::BlockToDeviceRect() for large grids (kjones).
522 - Introduced new wxAuiToolBar class for better integration and look-and-feel.
523 - Fix a crash in wxAuiFrameManager when Update() was called in between mouse-up
524   and mouse-down events
525 - wxAUI: added various NULL-ptr asserts.
526 - Fixed problem with Floatable(false) not working in wxAuiFrameManager.
527 - Fixed maximize bug in wxAUI.
528 - Allow period in link anchors in wxHTML.
529 - Fixed memory corruption in wxHTML when parsing "&;" in the markup.
530 - Fixed event type in EVT_GRID_CMD_COL_MOVE and EVT_GRID_COL_MOVE.
531 - wxGrid doesn't steal focus when hiding editor any more (Tom Eckert).
532
533 All (Unix):
534
535 - MIME types reading fixed when running under GNOME, reading .desktop
536   files and also the default application list.
537 - Added filesys.no-mimetypesmanager system option so that applications that
538   must load an XRC file at program startup don't have to incur the
539   mime types manager initialization penalty.
540
541 wxMSW:
542
543 - Potentially incompatible change: wxExecute() arguments are now quoted if they
544   contain spaces and existing quotes are escaped with a backslash. However, to
545   preserve compatibility, the argument is unchanged if it is already quoted.
546   Notice that this behaviour will change in wxWidgets 3.0 where all arguments
547   will be quoted, please update your code now if you are affected and use only
548   wxWidgets 2.8.9 or later.
549 - Fix keyboard support in wxSpinCtrl broken in 2.8.8.
550 - Compile fix for WinCE in window.cpp (no VkKeyScan in Windows CE).
551 - Support disabling items before adding them to the menu (Christian Walther).
552 - Allow to call SetFont(wxNullFont) to reset the font to default.
553 - Implement UUID::operator==() and !=() (SQLAware Corporation).
554 - Fixed long standing (introduced in 2.6.3) bug which resulted in always
555   creating a DIB and not DDB in wxBitmap(const wxImage&) ctor.
556 - Fix the bug with wxFileDialog not being shown at all if the default file name
557   was invalid.
558 - Fix hang in keyboard navigation code with radio buttons under Windows 2000.
559 - Implement wxWinINetInputStream::GetSize() (spicerno).
560 - Always copy "has alpha" flag when copying bitmaps (SQLAware Corporation).
561
562 wxGTK:
563
564 - Fixed masking of disabled bitmaps in wxMenuItem and wxStaticBitmap.
565 - Fixed generation of events for an initially empty wxDirPickerCtrl.
566 - Fixed detection of Meta key state so that NumLock isn't misdetected
567   as Meta (requires GTK+ 2.10).
568 - Fix changing font/colour of label in buttons with images (Marcin Wojdyr).
569
570 wxMac:
571
572 - Fixed a glitch where clicking on a scrollbar (but not moving the scrollbar)
573   would cause the window to scroll.
574
575
576 2.8.8
577 -----
578
579 All:
580
581 - Fixed bug with parsing some dates in wxDateTime (Bob Pesner).
582 - Fixed bug with parsing negative time zones in wxDateTime::ParseRfc822Date().
583 - Initialize current line in wxTextBuffer ctor (Suzuki Masahiro).
584 - Improved performance of XML parsing (Francesco Montorsi).
585 - Fix wxDateTime::ParseRfc822Date() to handle missing seconds (Joe Nader).
586
587 All (GUI):
588
589 - Added wxWindow::GetNextSibling() and GetPrevSibling().
590 - Support wxGRID_AUTOSIZE in wxGrid::SetRow/ColLabelSize() (Evgeniy Tarassov).
591 - Ensure that wxGrid::AutoSizeColumn/Row() never sets column/row size
592   smaller than the minimal size.
593 - Added <scrollrate> parameter to wxScrolledWindow XRC handler.
594 - wxRichTextCtrl performance has been improved considerably.
595 - Several wxRichTextCtrl style, paste and undo bugs fixed.
596 - Added wxRichTextCtrl superscript and subscript support (Knut Petter Lehre).
597 - wxNotebook RTTI corrected, so now wxDynamicCast(notebook, wxBookCtrlBase)
598   works.
599 - When focus is set to wxScrolledWindow child, scroll it into view.
600 - Improve wximage::ResampleBox() (Mihai Ciocarlie).
601 - Implemented ScrollList() in generic wxListCtrl (Tim Kosse).
602 - SaveAs in docview takes into account path now.
603 - Fixed wxXmlResource::GetText() to convert data to current locale's
604   charset in ANSI build.
605 - wxGrid now indicates focus by using different colour for selection
606   and hiding cell cursor when it doesn't have focus.
607 - Added alpha support to wxImage::Paste() (Steven Van Ingelgem)
608 - Use current date when opening popup in generic wxDatePickerCtrl.
609 - Remove associated help text from wxHelpProvider when a window is destroyed.
610 - Added wxSizerFlags::ReserveSpaceEvenIfHidden() and
611   wxRESERVE_SPACE_EVEN_IF_HIDDEN sizer flag.
612 - Added wxWindow::ClientToWindowSize() and WindowToClientSize() helpers.
613 - Added wxSizer::ComputeFittingClientSize() and ComputeFittingWindowSize().
614 - Fixed wxSizer::SetSizeHints() to work when the best size decreases.
615 - Fixed crash in wxHtmlHelpController if the help window is still open.
616 - Fixed generic art provider to scale bitmaps down to client-specific
617   best size if needed.
618 - Made wxSpinCtrl::Reparent() in MSW and generic versions (Angelo Mottola).
619 - Fixed timing of malformed animated GIFs in wxHTML (Gennady Feller).
620 - Fixed incorrect layout width caching in wxHTML (Jeff Tupper).
621 - wxHTML: preserve TAB characters when copying <pre> content to clipboard.
622 - Set focus to wxCalendarCtrl when it is clicked.
623 - Don't clear the list control when wxLC_[HV]RULES style is toggled.
624 - Don't crash when Ctrl-Shift-T is pressed in empty wxStyledTextControl.
625
626 All (Unix):
627
628 - Fixed shared libraries to not depend on GStreamer when built with
629   --enable-media; only wxMedia library depends on it now.
630 - wxLaunchDefaultBrowser() now uses xdg-open if available.
631 - Don't close UDP socket if an empty datagram is received (Mikkel S)
632 - Honour locale modifiers such a "@valencia" in system locale (Tim Kosse)
633
634 wxMSW:
635
636 - Fix rare bug with messages delivered to wrong wxSocket (Tim Kosse).
637 - Fix setting icons when they have non-default (16*16 and 32*32) sizes.
638 - Fixed wxLocale::GetInfo to use the C locale.
639 - Don't enable disabled windows when showing them (Harry McKame).
640 - Fix assert when using owner-drawn menu items with the newest (Vista) SDK.
641 - Fixed wxTextCtrl to not process clipboard events twice if there's
642   a custom wxEVT_COMMAND_TEXT_* event handler.
643 - Fix wxComboBox to not lose the current value if it was programmatically set
644   to a value not in a list of choices on popup close (Kolya Kosenko)
645 - Switching wxListCtrl to report mode from another one now uses full row
646   highlight, just as if the control were created in report mode initially.
647 - Use correct index of the right-clicked column in wxListCtrl in the
648   corresponding event even when the control is scrolled horizontally.
649 - Implement wxRadioBox::Reparent() correctly (Vince Harron).
650 - Make context sensitive help work for the text part of wxSpinCtrl.
651 - wxFileType::GetCommand() now looks at Explorer associations and CurVer
652   for increased reliability and conformance to user expectations.
653 - Fixed double Init() call in wxTopLevelWindow causing a memory leak on
654   SmartPhone.
655 - Fixed rendering of borders for wxTextCtrl with wxTE_RICH(2) style when
656   using Windows XP's Classic UI theme.
657 - Text controls with wxTE_RICH style now also generate wxClipboardTextEvents.
658 - Fixed wxEVT_COMMAND_TEXT_ENTER generation in wxSpinCtrl.
659 - Fixed wxSpinCtrl::GetClientSize() to return sensible value and not just
660   spin button's client size.
661 - Fixed IMPLEMENT_APP() to be compatible with the -WU flag of Borland C++
662   compiler (Matthias Bohm).
663 - Correct size calculation for toolbars containing controls under pre-XP
664   systems (Gerald Giese)
665
666 wxGTK:
667
668 - Return false from wxEventLoop::Dispatch() if gtk_main_quit() was called and
669   so the loop should exit (Rodolfo Schulz de Lima).
670 - Implement wxListBox::EnsureVisible() (Andreas Kling)
671 - Fixed wxCURSOR_HAND to map to GDK_HAND2 and not GDK_HAND1, for consistency
672   with other applications.
673 - Fix wxNotebook::GetPage{Text,Image}() when they were called from the page
674   change event handler for the first added page (Mikkel S).
675 - Fixed wxBitmapButton to use focus and hover bitmaps correctly.
676 - Fixed race condition which could cause idle processing to stop without
677   processing all pending events.
678 - wxAcceleratorTable now works with buttons too.
679
680 wxMac:
681
682 - Fixed cursor for wxBusyCursor and wxContextHelp.
683 - Fixed wxListCtrl to respect items' non-default fonts.
684 - wxListCtrl::SetColumnWidth() now supports wxLIST_AUTOSIZE.
685 - Fixed handling of transparent background in borderless wxBitmapButton.
686
687
688 2.8.7
689 -----
690
691 All:
692
693 - Fixed bug with default proxy destruction in wxURL (Axel Gembe).
694
695 wxMSW:
696
697 - Correct (harmless) warnings given for forward-declared DLL-exported classes
698   by mingw32 4.2 (Tim Stahlhut).
699
700 wxGTK:
701
702 - Added gtk.window.force-background-colour wxSystemOptions option to work around
703   a background colour bug in the gtk-qt theme under KDE.
704 - Implemented wxGetClientDisplayRect() correctly for wxGTK and X11-based ports.
705
706
707 2.8.6
708 -----
709
710 All:
711
712 - Fixed another bug in wxFileConfig when deleting entries (Axel Gembe)
713 - Added Portuguese translation (Antonio Cardoso Martins)
714
715
716 2.8.5
717 -----
718
719 All (GUI):
720
721 - Added colour normalization to PNM image handler (Ray Johnston)
722 - Fixed selecting part of word from right to left in wxHTML (Michael Hieke)
723 - Selecting text in wxHTML with character precision was made easier, it's
724   enough to select half of a character (Michael Hieke)
725 - Significantly improved startup times of XRC-based applications using
726   embedded resources on Unix (requires resources recompilation)
727 - Fixed freeing of "static" alpha data in wxImage (Axel Gembe)
728 - Don't invalidate the font in SetNativeFontInfo[Desc]() if the string is
729   invalid, to conform to the documented behaviour (Langhammer)
730 - Fixed wxXPMHandler::SaveFile for images with more than 92 colors.
731
732 wxMSW:
733
734 - Correct problem with page setup dialog when using landscape mode
735 - Added msw.font.no-proof-quality system option, see manual for description
736 - Fix appearance of notebook with non-top tabs under Windows Vista
737 - Fixed bug with symbol resolving in wxStackWalker (Axel Gembe)
738 - Fixed showing busy cursor for disabled windows and during wxExecute()
739 - Set the string of wxEVT_COMMAND_CHECKLISTBOX_TOGGLED events (Luca Cappa)
740 - Fix problems with timers on SMP machines in wxAnimationCtrl (Gennady)
741
742 wxGTK:
743
744 - Setting foreground colour of single line wxTextCtrl now works
745 - More work on setting defaults in GNOME print dialogs.
746 - Also made landscape printing work as per wxMSW.
747 - Add support for clipping in GNOME print backend.
748 - Speed up wxBitmap::Rescale()
749 - Add right button event for wxToolbar's tools (Tim Kosse)
750 - Don't unconditionally add wxCAPTION style to wxMiniFrame
751 - Generate wxEVT_COMMAND_LIST_END_LABEL_EDIT event even if label didn't change
752 - Fix WX_GL_STEREO attribute handling (Tristan Mehamli)
753 - Fix wxThread::SetPriority() when the thread is running (Christos Gourdoupis)
754 - Fixed off by 1 bug in wxDC::GradientFillLinear() (Tim Kosse)
755
756
757 2.8.4
758 -----
759
760 All:
761
762 - Fix bug in wxFileConfig when recreating a group (Steven Van Ingelgem)
763 - Fix wxStringOutputStream::Write() in Unicode build when the argument
764   overlaps UTF-8 characters boundary
765 - Account for lines without newline at the end in wxExecute()
766
767 All (Unix):
768
769 - Handle socket shutdown by the peer correctly in wxSocket (Tim Kosse)
770
771 All (GUI):
772
773 - Allow status bar children in XRC (Edmunt Pienkowski)
774 - Fix memory leak in wxWizard when not using sizers for the page layout
775 - Added wxListCtrl::SetItemPtrData()
776 - wxHTML: Apply table background colour between the cells too (Michael Hieke)
777
778 wxMSW:
779
780 - Corrected wxStaticBox label appearance when its foreground colour was set:
781   it didn't respect font size nor background colour then (Juan Antonio Ortega)
782 - Don't lose combobox text when it's opened and closed (Kolya Kosenko)
783 - Corrected GetChecked() for events from checkable menu items (smanders)
784 - Fixed popup menus under Windows NT 4
785 - Fixed bug in wxThread::Wait() in console applications introduced in 2.8.3
786 - Support right-aligned/centered owner drawn items in wxListCtrl (troelsk)
787 - Compilation fixed with WXWIN_COMPATIBILITY_2_6==0
788 - Fix wxComboCtrl colours under Windows Vista (Kolya Kosenko)
789
790 wxGTK:
791
792 - Fix infinite loop when adding a wxStaticText control to a toolbar
793 - Fix wxNO_BORDER style for wxRadioBox (David Hart)
794 - Fix wxTextCtrl::GetLineText() for empty lines (Marcin Wojdyr)
795
796 wxMac:
797
798 - Fix wxComboBox::SetSelection(wxNOT_FOUND) (Adrian Secord)
799
800 wxUniv:
801
802 - Fix wxTextCtrl::SetSelection(-1, -1) to behave as documented (Anders Larsen)
803 - Fix wxComboBox::SetSelection(wxNOT_FOUND)
804 - Fix setting background colour for controls with transparent background
805
806
807 2.8.3
808 -----
809
810 All:
811
812 - Shut down the sockets gracefully (Sergio Aguayo)
813 - Fix extra indentation in wxHTML_ALIGN_JUSTIFY display (Chacal)
814
815 wxMac:
816
817 - Corrected top border size for wxStaticBox with empty label (nusi)
818
819 wxMSW:
820
821 - Fixed wxFileName::GetSize() for large files
822
823 wxGTK:
824
825 - Fixed handling of accelerators using PageUp/Down keys
826
827
828 2.8.2
829 -----
830
831 All:
832
833 - Added wxSizerFlags::Shaped() and FixedMinSize() methods.
834 - Added wxCSConv::IsOk() (Manuel Martin).
835 - Added wxDateTime::GetDateOnly().
836 - Made wxTextFile work with unseekable files again (David Hart).
837 - Added wxCONFIG_USE_SUBDIR flag to wxFileConfig (Giuseppe Bilotta).
838 - Added wxSearchCtrl::[Get|Set]DescriptiveText.
839 - Fixed detection of number of processors under Linux 2.6
840 - Fixed Base64 computation in wxHTTP (p_michalczyk)
841 - Fix handling of wxSOCKET_REUSEADDR in wxDatagramSocket (troelsk)
842
843 Unix Ports:
844
845 - Fixed crash in wxGetUserName() in Unicode build
846
847 wxMSW
848
849 - Fix lack of spin control update event when control lost focus.
850 - Corrected drawing of bitmaps for disabled menu items.
851
852 wxGTK
853
854 - Fix hang on startup when using GTK+ options in Unicode build
855
856 wxMac
857
858 - Fix position of the centered windows (didn't take menu bar size into account)
859 - Added support for the wxFRAME_FLOAT_ON_PARENT style.
860
861 wxX11:
862
863 - Don't crash in wxWindow dtor if the window hadn't been really Create()d.
864
865 wxUniv:
866
867 - Fixed wxComboBox always sorted.
868
869
870 2.8.1
871 -----
872
873 All:
874
875 - Fix compilation with wxUSE_STL=1.
876 - wxGrid::GetBestSize() returns same size the grid would have after AutoSize().
877 - Added wxTreeCtrl::CollapseAll[Children]() and IsEmpty() (Francesco Montorsi).
878 - Several RTL-related positioning fixes (Diaa Sami).
879 - Fix wxConfig::DeleteGroup() for arguments with trailing slash (David Hart).
880 - Fix memory leak in wxGrid::ShowCellEditControl() (Christian Sturmlechner).
881
882 wxMSW:
883
884 - Fixed compilation with Borland C++ in Unicode mode but without MSLU.
885 - Show taskbar icon menu on right button release, not press.
886
887 wxGTK:
888
889 - Don't crash if command line is not valid UTF-8 (Unicode build only).
890
891 wxUniv:
892
893 - It is now possible to set background colour of wxStaticText.
894
895
896 2.8.0
897 -----
898
899 All:
900
901 - Added wxSearchCtrl (Vince Harron).
902 - wxCSConv("UTF-16/32") now behaves correctly, i.e. same as wxMBConvUTF16/32.
903 - wxArrayString::Alloc() now works as reserve() and doesn't clear array contents.
904 - Fixed long standing bug in wxFileConfig groups renaming (Antti Koivisto).
905 - New option wxFS_READ | wxFS_SEEKABLE for wxFileSystem::OpenFile() to return
906   a stream that is seekable.
907 - Fixed bug in wxCalendarCtrl::HitTest() when clicking on month change arrows.
908 - Added wxWindow::GetWindowBorderSize() and corrected wxTreeCtrl::GetBestSize().
909   for a control with borders (Tim Kosse).
910
911 wxMSW:
912
913 - Fixed version script problems when using configure with cygwin/mingw32.
914 - Use system default paper size for printing instead of A4.
915 - Fix (harmless) assert in virtual list control under Vista.
916 - Fix colours when converting wxBitmap with alpha to wxImage (nusi).
917
918 wxGTK:
919
920 - Allow dynamically changing most of text control styles.
921 - Enable use of libgnomeprintui by default in configure.
922
923
924 2.7.2
925 -----
926
927 All:
928
929 - Added wxFFile overload to wxFileName::CreateTemporaryFileName().
930 - Added GetTempDir() to wxFileName and wxStandardPaths.
931 - Added wxTar streams.
932 - Added wxFilterFSHandler and wxArchiveFSHandler.
933 - Added wxString::ToLongLong() and ToULongLong().
934
935 All (GUI):
936
937 - wxMemoryDC constructor now optionally accepts a wxBitmap parameter,
938   calling SelectObject itself if a valid bitmap is passed.
939 - Reverted wxBuffered[Paint]DC to pre 2.7.1 state, added
940   wxAutoBufferedPaintDC and wxAutoBufferedPaintDCFactory.
941 - Renamed wxProgressDialog::UpdatePulse() to just Pulse().
942 - Added wxCollapsiblePane (Francesco Montorsi).
943 - Added wxSimpleHtmlListBox (Francesco Montorsi).
944 - Printing framework fixes by Robert J. Lang. Bugs fixed,
945   wxPrinterDC::GetPaperRect() and other functions added to allow
946   easier printing implementation, and the documentation updated.
947 - Many enhancements to wxRichTextCtrl including URL support,
948   formatting and symbol dialogs, print/preview, and better list
949   formatting.
950 - Support for loading TGA files added (Seth Jackson).
951 - Added wxTB_RIGHT style for right-aligned toolbars (Igor Korot).
952 - wxHtmlWindow now generates events on link clicks (Francesco Montorsi).
953 - wxHtmlWindow now also generates wxEVT_COMMAND_TEXT_COPY event.
954
955 Unix Ports:
956
957 - Added autopackage for wxGTK and an example of using autopackage for a wx
958   program (Francesco Montorsi).
959
960 wxGTK:
961
962 - More RTL work.
963 - Support wxALWAYS_SHOW_SB.
964 - Speed up MIME types loading. Only the GNOME database should be loaded under
965   GNOME etc. For this, the code queries the X11 session protocol.
966 - wxCaret redraw problem during scrolling fixed.
967
968
969 2.7.1
970 -----
971
972 All:
973
974 - Added wxDir::FindFirst() (Francesco Montorsi).
975 - Added wxPlatformInfo class (Francesco Montorsi).
976 - Added wxLocale::IsAvailable() (Creighton).
977 - Added Malay translations (Mahrazi Mohd Kamal).
978 - Added reference counting for wxVariant.
979 - For consistency, all classes having Ok() method now also have IsOk() one, use
980   of the latter form is preferred although the former hasn't been deprecated yet.
981 - Added wxFileName::Is(Dir|File)(Writ|Read|Execut)able() (Francesco Montorsi).
982 - Added wxFileName::GetSize() and GetHumanReadableSize() (Francesco Montorsi).
983 - Added wxSizer::Replace (Francesco Montorsi).
984 - wxXmlDocument can now optionally preserve whitespace (Francesco Montorsi).
985 - Added wxBookCtrl::ChangeSelection() and wxTextCtrl::ChangeValue() to provide
986   event-free alternatives to SetSelection() and SetValue() functions; see the
987   "Events generated by the user vs programmatically generated events" paragraph
988   in the "Event handling overview" topic for more info.
989
990 All (GUI):
991
992 - Support for right-to-left text layout (started by Diaa Sami during Google Summer of
993   Code, with a lot of help from Tim Kosse and others).
994 - wxAnimationCtrl added (Francesco Montorsi).
995 - Added wxAboutBox() function for displaying the standard about dialog.
996 - Added wxID_PAGE_SETUP standard id.
997 - Added wxSize::IncBy() and DecBy() methods.
998 - Added wxTextCtrl::IsEmpty().
999 - Added file type parameter to wxTextCtrl::LoadFile, wxTextCtrl::SaveFile for
1000   consistency with wxRichTextCtrl.
1001 - wxRichTextCtrl: fixed range out-by-one bug to be consistent with wxTextCtrl API,
1002   fixed some attribute bugs and added wxRichTextStyleComboCtrl.
1003 - Added wxWindow::IsDoubleBuffered().
1004 - Added wxHL_ALIGN_* flags to wxHyperlinkCtrl (Francesco Montorsi).
1005 - Added wxGauge::Pulse() and wxProgressDialog::UpdatePulse() (Francesco Montorsi).
1006
1007 wxMSW:
1008
1009 - Implemented wxComboBox::SetEditable().
1010 - wxSemaphore::Post() returns wxSEMA_OVERFLOW as documented (Christian Walther)
1011 - Fixed a bug whereby static controls didn't use the correct text colour if the
1012   parent's background colour had been set (most noticeable when switching to a
1013   high-contrast theme).
1014 - Respect wxBU_EXACTFIT style in wxToggleButton (Alexander Borovsky).
1015
1016 wxMac:
1017
1018 - Add parameter to the --enable-universal_binary configure option for the path
1019   to the SDK.
1020
1021 wxGTK:
1022
1023 - Automatically use stock items for menu items with standard ids.
1024 - Setting cursor now works for all controls.
1025 - Implemented right-to-left support.
1026 - Implemented left indentation and tab stops support in wxTextCtrl (Tim Kosse).
1027 - Fixed wxHTML rendering of underlined text of multiple words (Mart Raudsepp).
1028
1029 wxUniv:
1030
1031 - Added wxTLW::UseNativeDecorations() and UseNativeDecorationsByDefault().
1032
1033
1034 2.7.0
1035 -----
1036
1037 All:
1038
1039 - Added positional parameters support to wxVsnprintf() (Francesco Montorsi).
1040 - wx(F)File, wxTextFile and wxInputStreams recognize Unicode BOM now.
1041 - Many fixes for UTF-16/32 handling in Unicode builds.
1042 - wxLaunchDefaultBrowser() now supports wxBROWSER_NEW_WINDOW flag.
1043 - Added wxStandardPaths::GetResourcesDir() and GetLocalizedResourcesDir()
1044 - Added wxStandardPaths::GetDocumentsDir() (Ken Thomases).
1045 - Added wxStringTokenizer::GetLastDelimiter(); improved documentation.
1046 - Fixed wxTextFile in Unicode build.
1047 - Added possibility to specify dependencies for a wxModule.
1048 - Speed improvements to wxRegEx when matching is done in a loop such as
1049   during a search and replace.
1050 - Fix regerror and regfree name conficts when built-in regex and system regex
1051   are both used in the same program.
1052 - Basic authentication supported added to wxHTTP.
1053 - wxCondition::WaitTimeout() now returns correct value when timeout occurs.
1054 - Fixed occasional wxThread cleanup crash.
1055 - Bug in wxLogStream::DoLogString in Unicode builds fixed.
1056 - Added support for memo fields to wxODBC.
1057 - Fixed Unicode builds using SunPro compiler by defining__WCHAR_TYPE__.
1058 - wxFileName now also looks for TMPDIR on Unix.
1059 - Fixed build error in list.h with VC++ 2005.
1060 - Fixed wxODBC buffer overflow problem in Unicode builds.
1061 - Fixed wxSocketBase::InterruptWait on wxBase.
1062 - Important code cleanup (Paul Cornett).
1063 - Added support for wxLongLong in wx stream classes (Mark Junker).
1064 - wxSOCKET_REUSEADDR can be used with wxSocketClient.
1065 - Overloaded Connect() and SetLocal() methods for binding to local address/port.
1066 - Albanian translation added (Besnik Bleta).
1067 - Assert messages now show the function in which assert failed.
1068 - wxApp::OnAssertFailure() should now be used instead the old wxApp::OnAssert().
1069 - Fixed several bugs in wxDateTime::ParseDate().
1070 - The WXK*PRIOR and WXK*NEXT constants are now aliases for WXK*PAGEUP
1071   and WXK*PAGEDOWN.  If you have switch statements that use both
1072   constants from a set then you need to remove the PRIOR/NEXT
1073   versions in order to eliminate compiler errors.
1074 - Fixed bug where wxDateTime::Now() would sometimes return an incorrect value
1075   the first time it was called.
1076 - Added wxString::rbegin() and rend().
1077 - Added wxString::EndsWith().
1078 - wxSocket::_Read continues reading from socket after exhausting pushback buffer.
1079   Previously, only the buffer would be returned, even if more data was requested.
1080 - Added wxPowerEvent (currently MSW-only).
1081 - Make wx-config compatible with Bourne shells.
1082 - Fixed wxDb::Open(wxDbConnectInf) when using connection string (Hellwolf Misty).
1083 - Fixed crash in wxDb::Open() in Unicode build (Massimiliano Marretta).
1084 - Fixed wxTimeSpan::Format() for negative time spans.
1085 - Optionally count repeating wxLog messages instead of logging all (Lauri Nurmi).
1086
1087 All (GUI):
1088
1089 - New AUI (Advanced User Interface) library for docking windows and much more.
1090 - Added wxComboCtrl and wxOwnerDrawnComboBox (Jaakko Salli).
1091 - Added wxTreebook (uses a wxTreeCtrl to control pages).
1092 - Added wxColour/Dir/File/Font/PickerCtrls (Francesco Montorsi).
1093 - Added wxDC::GradientFillLinear/Concentric().
1094 - Added wxHyperlinkCtrl (Francesco Montorsi).
1095 - Added clipboard events (wxEVT_COMMAND_TEXT_COPY/CUT/PASTE).
1096 - Allow to reorder wxGrid columns by drag-and-drop (Santiago Palacios).
1097 - Added wxRadioBox::SetItemToolTip().
1098 - Added support for CMYK JPEG images loading (Robert Wruck).
1099 - Added wxListCtrl::GetSubItemRect() and subitem hit testing (Agron Selimaj).
1100 - Added wxKeyEvent::GetModifiers().
1101 - Added wxDialog::SetEscapeId().
1102 - wxItemContainerImmutable::FindString unified (affects wxRadioBox, wxListBox,
1103   wxComboBox and wxChoice).
1104 - wxWindow::Fit() now works correctly for frames and dialogs too.
1105 - Added access to the border size between pages and controller in book
1106   based controls (wxBookCtrlBase::Get/SetInternalBorder).
1107 - Added initial wxRichTextCtrl implementation.
1108 - All book based controls (notebook, treebook etc.) share now the same
1109   options for orientation (wxBK_TOP, wxBK_DEFAULT, ...) instead of duplicated
1110   wxLB_TOP, wxNB_TOP, wxCHB_TOP, wxTBK_TOP.
1111 - Added parent window parameter to wxHelpController constructor
1112   and added SetParentWindow/GetParentWindow.
1113 - wxMultiChoiceDialog uses now wxCheckListBox if possible, wxListBox if not.
1114 - Added wxBitmapButton::SetHoverBitmap().
1115 - Access to titles through Get/SetTitle is available now only for top level
1116   windows (wxDialog, wxFrame).
1117 - Fixed memory leak of pending events in wxEvtHandler.
1118 - Added wxRadioBox::IsItemEnabled/Shown().
1119 - Added space after list item number in wxHTML.
1120 - Implemented <sub> and <sup> handling in wxHTML (based on patch
1121   by Sandro Sigala).
1122 - Added caption parameter to wxGetFontFromUser and wxGetColourFromUser.
1123 - Added wxGetMouseState function.
1124 - Added wxHtmlHelpWindow, wxHtmlHelpDialog and wxHtmlModalHelp classes,
1125   allowing HTML help to be embedded in an application.
1126 - wxCalendarCtrl positioning and hit-testing fixes for dimensions other than
1127   best size.
1128 - wxCalendarCtrl colour schema changed and adjusted to system settings.
1129 - wxImage::Mirror() and GetSubBitmap() now support alpha (Mickey Rose).
1130 - More checking of image validity before loading into wxImage.
1131 - Added wxImage::ConvertToGreyscale.
1132 - Added ability to use templates with static event tables
1133   with BEGIN_EVENT_TABLE_TEMPLATEn() macros.
1134 - Added play, pause, and state change events to wxMediaCtrl.
1135 - Added double-buffering to wxVListBox and fixed a scrolling issue.
1136 - Added wxToolbook (uses a wxToolBar to control pages).
1137 - Added SetSheetStyle to wxPropertySheetDialog and allowed it to
1138   behave like a Mac OS X settings dialog.
1139 - Added <disabled> XRC tag for wxToolBar elements and <bg> for wxToolBar itself.
1140 - Fixed centering of top level windows on secondary displays.
1141 - Implemented wxDisplay::GetFromWindow() for platforms other than MSW.
1142 - UpdateUI handler can now show/hide the window too (Ronald Weiss).
1143 - More than one filter allowed in in wxDocTemplate filter.
1144 - Added wxListBox::HitTest().
1145 - Added wxDisplay::GetClientArea().
1146 - Indices and counts in wxControlWithItems derived API are unsigned.
1147 - Added support for links to wxHtmlListBox; use code has to override
1148   wxHtmlListBox::OnLinkClicked() to take advantage of it.
1149 - Added an easier to use wxMenu::AppendSubMenu().
1150 - wxString <-> wxColour conversions in wxColour class (Francesco Montorsi).
1151 - Fixed bug with ignoring blank lines in multiline wxGrid cell labels.
1152 - Added wxTextAttr::Merge() (Marcin Simonides).
1153 - Added wxTB_NO_TOOLTIPS style (Igor Korot).
1154 - Added wxGenericDirCtrl::CollapsePath() (Christian Buhtz).
1155 - Added wxTreeCtrl::ExpandAllChildren() (Christian Buhtz)
1156 - Fixed 64-bit issue in wxNotebook causing segfaults on Tru64 Unix.
1157 - Made it possible to associate context help to a region of a window.
1158 - Added support for tabs in wxRichTextCtrl (Ashish More).
1159 - Fixed problem with zoom setting in print preview.
1160 - Moved wxRichTextCtrl from the advanced library to its own.
1161 - wxNB_HITTEST_* flags renamed to wxBK_HITTEST_* to serve all book controls.
1162 - Added wxTopLevelWindow::SetTransparent and CanSetTransparent, with
1163   implementations (so far) for wxMSW and wxMac.
1164 - Allow customizing individual grid lines appearance (Søren Lassen).
1165 - Fixed middle click events generation in generic wxTreeCtrl (Olly Betts).
1166 - Added wxEVT_MOUSE_CAPTURE_LOST event that must be handled by all windows
1167   that CaptureMouse() is called on.
1168
1169 wxMSW:
1170
1171 - Fixed crash with ownerdrawn menu items accelerators (Perry Miller).
1172 - wxFileDialog respects absence of wxCHANGE_DIR flag under NT (Brad Anderson).
1173 - Switching page of a hidden notebook doesn't lose focus (Jamie Gadd).
1174 - Removed wxImageList *GetImageList(int) const.
1175 - Fixed MDI context menu problem.
1176 - Removed __WIN95__ define.
1177 - Create msw/rcdefs.h in setup.h's directory, which can be included by
1178   resource files. It containts platform/compiler specific defines (such as
1179   target cpu) which can be used in #ifs in .rc files.
1180 - Add support for Win64 manifests and VC++ 8 automatic manifests (see the
1181   wxMSW faq for details).
1182 - New TARGET_CPU=amd64 (or 'ia64') option for the makefile.vc files which
1183   puts 64-bit builds in their own directory and adds /machine:amd64 or ia64
1184   to the link command.
1185 - wxStatusBar::GetFieldRect now returns correct values under XP.
1186 - wxStatusBar no longer corrupts surrounding windows on resize.
1187 - Enable wxListCtrl in report mode to be able to use images in other
1188   columns, if ComCtl32 >= 470.
1189 - Fixed problem where using SetValue and wxTE_RICH2 would cause control to
1190   show.
1191 - Numpad special keys are now distinguished from normal keys.
1192 - Fixed GDI leak in wxStaticBitmap when setting images after
1193   initial construction.
1194 - Menu codes now stripped before measuring control labels.
1195 - MFC sample now compiles in Unicode mode.
1196 - Fixed SetScrollbar thumb size setting bug (set orientation before triggering
1197   events).
1198 - Fixed icon to cursor conversion problem for bitmaps with masks.
1199 - Fixed wxToolBar background colour problem for some video cards.
1200 - wxGenericDirCtrl now shows volume name.
1201 - Added XP theme support for DrawHeaderButton, DrawTreeItemButton.
1202 - Made the wxActiveXContainer class public and documentated.
1203 - Added a Windows Media Player 9/10 backend for wxMediaCtrl.
1204 - Multiline notebook tab label change now resizes the control
1205   correctly if an extra row is removed or added.
1206 - Fixed a crash when dismissing wxPrintDialog under VC++ 7.1.
1207 - Fixed out by one error in wxTextCtrl::GetStyle.
1208 - Fixed problem with getting input in universal/unicode build of wxMSW.
1209 - Link oleacc.lib conditionally.
1210 - Drag and drop now works inside static boxes.
1211 - Fall back to unthemed wxNotebook if specified orientation not available.
1212 - wxListCtrl and wxTreeCtrl now resize their standard font if the user
1213   changes the system font.
1214 - wxDisplay doesn't require multimon.h now and is enabled by default (Olly Betts).
1215 - Fixed wxChoice/wxComboBox slow appending and infinite recursion
1216   if its size is set within a paint handler (for example when embedded in a
1217   wxHtmlWindow). [Now reverted due to problems in W2K and below.]
1218 - wxDC::GetTextExtent() width calculation is more precise for italics fonts now.
1219 - Warning fixes for VC++ 5.0 (Igor Korot).
1220
1221 wxGTK:
1222
1223 - Fixed handling of font encoding in non-Unicode build
1224 - wxEVT_MENU_CLOSE and wxEVT_MENU_OPENED for popup menus are now generated.
1225 - Implemented wxCURSOR_BLANK support.
1226 - wxSlider generates all scroll events now and not only wxEVT_SCROLL_THUMBTRACK.
1227 - Fixed a host of bugs in wxMediaCtrl as well as added a GStreamer 0.10
1228   implementation.
1229 - Improved configure checks for GStreamer. You may also now specify
1230   --enable-gstreamer8 to force configure to check for GStreamer 0.8.
1231 - Fixed problem with choice editor in wxGrid whereby the editor
1232   lost focus when the combobox menu was shown.
1233 - Fixed focusing with mnemonic accelerator keys on wxStaticText which
1234   is now able to focus on wxComboBox and possibly other controls
1235   previously unable to be focused before.
1236 - Enabled mnemonics and the corresponding accelerator keys for
1237   wxStaticBox and wxRadioBox.
1238 - Fixed problem trying to print from a preview, whereby wrong printer
1239   class was used.
1240 - Worked around pango crashes in strncmp on Solaris 10.
1241 - Polygon and line drawing speeded up if there is no scaling.
1242 - Fixed problems with CJK input method.
1243 - Implemented ScrollLines/Pages() for all windows (Paul Cornett).
1244 - Support underlined fonts in wxTextCtrl.
1245 - Support all border styles; wxListBox honours the borders now.
1246 - wxWindow and wxScrolledWindow now generate line, page and thumb-release scroll events.
1247 - Added file preview support in file dialogs.
1248 - Implemented SetLineSize and GetLineSize for wxSlider.
1249
1250 wxMac:
1251
1252 - Fixed problem with clipboard support for custom data flavors.
1253 - Fixed focus handling for generic controls in carbon-cfm.
1254 - Fixed a printing crash bug, for example using File->Print and changing
1255   Popup from 'Copies & Pages' to e.g. 'Layout'.
1256 - Improved support for help and application menu items.
1257 - Added default implementations for wxTextCtrl::Replace and wxTextCtrl::Remove.
1258 - Added support for 10.4 context menu.
1259 - Added support for wxFRAME_EX_METAL and wxDIALOG_EX_METAL styles.
1260 - Added wxNotebook::HitTest support.
1261 - Corrected idle wake-up.
1262 - Corrected wxExecute.
1263 - Now makes use of full printer resolution.
1264 - Corrected CGImage handling in wxBitmap.
1265 - Now uses simple hide/show transition for top-level windows.
1266 - Uses reasonable temporary path for wxFileName::CreateTempFileName.
1267 - Added support for default key handling (escape, enter, command-period) even
1268   if there is no control on the frame or dialog that has the focus.
1269 - Fixed joystick bugs including a link error and a crash if no joysticks
1270   were found.
1271 - Removed an errorneous assertion from wxDir.
1272 - Uses CoreFoundation based and thread-safe implementation for message boxes
1273   under Mach-O.
1274 - wxBitmapButton is created as a content icon if wxBORDER_NONE is
1275   specified, otherwise as a bevel button.
1276 - Mouse event ids set correctly (fixing problems with Connect in particular).
1277 - Fixed wxZipInputStream read error on wxSocketInputStream which signals the
1278   end of file with an error.
1279 - Xcode wxWidgets and minimal sample project files updated to create Universal
1280   binaries.
1281 - Fix for setting wxMenuBar more than once.
1282 - wxListBox minimum size bug fixed.
1283 - Fixed wxNotebook off-by-one bug in HitTest.
1284 - Fixed joystick GetXMin/Max bug.
1285 - Fixed Unix domain socket problem in wxIPC.
1286 - Fixed non-detection of process termination on Intel Macs by
1287   polling for process termination in a separate thread.
1288
1289 wxCocoa:
1290
1291 - wxDirDialog is now native (Hiroyuki Nakamura).
1292
1293 wxWinCE:
1294
1295 - Pressing build-in joystick on WinCE phones fires wxEVT_JOY_BUTTON_DOWN event.
1296 - Native wxCheckListBox implementation.
1297 - All wxTopLevelWindows resizes accordingly to SIP visibility.
1298 - ::wxGetUserName() implemented.
1299 - wxDisplay enumeration support.
1300 - Fixed wxFileDialog breakage on WinCE due to incorrect structure size.
1301 - New wxSystemOption "wince.dialog.real-ok-cancel" to switch between WinCE
1302   guidelines with Ok-only dialogs and dialogs using wxButtons.
1303 - Checkable items in wxToolMenuBarTool supported.
1304 - Fixed date formatting and mktime.
1305 - Fixed getting standard folder paths on WinCE.
1306 - Support for backspace key on Smartphone.
1307 - Made both windows wxMediaCtrl Windows backends compilable with wxWinCE - it
1308   is recommended that you use wxMEDIABACKEND_WMP10 on this platform
1309   directly, however.
1310 - Added support for the context menu event (wxContextMenuEvent)
1311   and added platform-specific wxWindow::EnableContextMenu.
1312 - Fixed wxGenericFileDialog to work with WinCE.
1313 - Fixed compilation and menubar disappearance on Windows Mobile 5.
1314 - Fixed wxDatePickerCtrl usage.
1315
1316 wxUniv:
1317
1318 - Send wxEVT_SCROLL_XXX events from wxSlider (Danny Raynor).
1319 - Implemented wxToggleButton (David Bjorkevik).
1320 - Label in Toolbar tools implemented (Danny Raynor).
1321
1322 wxX11:
1323
1324 - Invisible text problem fixed.
1325 - Bitmap clipping with masks and scaling improved.
1326 - Fixed a crash bug in the generic timer.
1327 - Implemented child process termination notifications (David Björkevik)
1328
1329 Unix:
1330
1331 - NO_GCC_PRAGMA is not used any more, remove checks for it if you used it.
1332
1333 wxMGL:
1334
1335 - Fixed NUM_LOCK having no effect.
1336 - Fixed wxFileExists (affecting wxImage::LoadFile).
1337
1338
1339 2.6.2
1340 -----
1341
1342 All:
1343
1344 - Fixed wxScopeGuard to work with VC++, documented it.
1345 - Fixed proxy handling in wxURL.
1346 - Added wxEVT_MEDIA_LOADED event for wxMediaCtrl.
1347 - Added new methods to wxMediaCtrl (wxURI version of Load, ShowPlayerControls).
1348 - Added wxZipFSHandler::Cleanup() (Stas Sergeev).
1349 - Added wxImage::RotateHue() and RGB <-> HSV conversions (John Anderson).
1350 - Fixed compilation with IBM xlC compiler.
1351 - wxABI_VERSION, see 'Backward Compatibility' topic overview in the manual.
1352 - Added wxLongLong::ToDouble().
1353 - Added wxDateTime::[Make]FromTimezone(), fixed several TZ-related bugs.
1354 - Fixed bug in wxStreamBuffer::Read(wxStreamBuffer *) (Paul Cornett).
1355 - Fixed wxListbook and wxChoicebook internal layout.
1356
1357 All (GUI):
1358
1359 - Added wxStaticText::Wrap()
1360 - wxChoice and wxComboBox::GetSelection() now returns completed selection,
1361   added a new GetCurrentSelection() function having the old behaviour.
1362 - Added wxXmlResource::Unload().
1363 - Possibility of modeless wxWizard dialog (with presentation in sample).
1364 - Fixed a rare crash due to malformed HTML in wxHTML (Xavier Nodet).
1365 - Ctrl+mouse wheel changes zoom factor in print preview (Zbigniew Zagórski).
1366 - Cross-compile now supported for wxGTK, wxX11 and wxMotif.
1367 - Cygwin compilation of wxX11, wxGTK and wxMotif now supported.
1368 - Now reads "help" parameter for all windows (context help text).
1369 - wxWizard adapts to PDA-sized screens.
1370 - Unicode fixes for IPC and a new IPC sample (Jurgen Doornik).
1371
1372 wxMSW:
1373
1374 - wxMSW now builds with (beta of) MSVC 8 (a.k.a. 2005).
1375 - Separators are now correctly shown in the toolbars under Windows XP.
1376 - Fixed multiline tooltips handling.
1377 - Fixed wxSlider::GetSelEnd() (Atilim Cetin).
1378 - Fixed accelerators of menu items added to already attached submenus.
1379 - Position of wxEVT_MOUSEWHEEL events is now in client, not screen, coordinates.
1380 - Handle absence of wxListCtrl column image better (Zbigniew Zagórski).
1381 - Fixed asynchronous playback of large sound files in wxSound.
1382 - Added wxDynamicLibrary::GetSymbolAorW().
1383 - Fixed default size of wxStaticText controls with border being too small.
1384 - Fixed bugs with wxStatusBar positioning (with or withour sizers) (Jamie Gadd).
1385 - Mouse move events are now generated for all static controls (Jamie Gadd).
1386 - Fixed nested static box display and splitter sash on some themes (Jamie Gadd).
1387 - Made wxJoystick::GetProductName() more useful (John Ratliff).
1388 - Native spline drawing implementation (Wlodzimierz ABX Skiba).
1389
1390 wxGTK:
1391
1392 - ShowFullScreen() shows the window if it was still hidden (rpedroso).
1393 - Implemented wxTopLevelWindow::RequestUserAttention() (Mart Raudsepp).
1394 - Base library is now binary compatible when built with wxGTK and wxMotif.
1395 - wxTextCtrl::XYToPosition, PositionToXY and GetLineLength calls are now
1396   instantaneous in case of GTK 2.x multi-line controls (Mart Raudsepp).
1397 - Added support for left, centre and right text alignment attributes under
1398   GTK+2 multi-line text controls (Mart Raudsepp).
1399 - Various wxFont improvements for GTK 2.x builds (Mart Raudsepp).
1400 - Changed order of child deletion in window destructor and
1401   removed focus handlers to avoid spurious events (David Surovell).
1402 - Fixed domain socket handling.
1403
1404 wxMac:
1405
1406 - First implementation of native HIToolbar support.
1407 - Added text control context menu (ported from wxMSW).
1408 - More CoreGraphics implementation improvements.
1409 - Various text control bug fixes.
1410 - Automatic menu management improved.
1411 - Fixed crash when wxRadioButton is deleted from a group of radio buttons,
1412   due to dangling cycle pointers.
1413 - Native spline drawing implementation for CoreGraphics (Robert J. Lang).
1414 - Made wxDialog::IsModal meaning the same as other ports (true only when
1415   showing modally).
1416
1417 wxOS2
1418
1419 - Adjustments for building with Open Watcom C++.
1420
1421 wxUniv:
1422
1423 - Window creation now honours wxVSCROLL.
1424 - Standalone scrollbars generate events of correct type (Jochen Roemmler).
1425
1426 wxMotif:
1427
1428 - Base library is now binary compatible when built with wxGTK and wxMotif.
1429 - wxMotif can now display Japanese text under Japanese locale.
1430 - Fixed button size in common dialogs.
1431 - Made wxFileDialog translatable.
1432 - All top level windows should now have a border unless the wxNO_BORDER
1433   flag has been specified.
1434 - Improved wxNotebook support for sizers. It requires the wxNotebook to
1435   be created with a "sensible" initial width.
1436 - Made wxDialog::IsModal meaning the same as other ports (true only when
1437   showing modally).
1438
1439 wxMGL:
1440
1441 - Fixed crash on exit.
1442 - Fixed drawing problems when windows are resized.
1443
1444 wxX11:
1445
1446 - Various wxFont improvements for unicode builds (Mart Raudsepp).
1447
1448
1449 2.6.1
1450 -----
1451
1452 All:
1453
1454 - Added wxLaunchDefaultBrowser.
1455 - Added wxPLURAL() macro in addition to _() (Jonas Rydberg)
1456
1457 All (GUI):
1458
1459 - Fixed potential infinite loop when adjusting wxScrolledWindow scrollbars.
1460 - Radio in menus do not send menu event for selections of already selected item.
1461 - Fixed wrong positioning of marks and enumerations in lists of wxHTML.
1462 - wxImage::Rotate90 respects alpha channel.
1463 - Added wxEVT_SCROLL_CHANGED as synonym for wxEVT_SCROLL_ENDSCROLL.
1464 - Replaced artwork for some cursors, icons and toolbar buttons.
1465 - Fixed sizing problem in generic wxCalendarCtrl for short day abbreviations.
1466 - Fixed wxWindow::DoGetBestSize to keep original best size.
1467 - PNM now supports ASCII and raw grey formats.
1468 - wxGrid focus and edit key improvements.
1469
1470 wxMSW:
1471
1472 - Fixed erroneous selection of content in wxComboBox when within a wxStaticBox
1473   (checking for selection caused by WM_STYLECHANGED).
1474 - Added deferred positioning to wxRadioBox, wxSlider and wxSpinCtrl and thereby
1475   eliminated some refresh glitches when resizing.
1476 - Eliminated further refresh glitches caused by wxRadioBox (to nearby controls)
1477   by refreshing parent when the radio box moves.
1478 - Added ability set the system option "msw.staticbox.optimized-paint" to 0 to
1479   allow a panel to paint graphics around controls within a static box.
1480 - Refresh exposed areas when resizing, using WM_WINDOWPOSCHANGED.
1481 - Worked around an apparent bug in deferred window positioning (moving a
1482   window from (x, y) to (a, b) and back to (x, y) misses the last step) by
1483   checking window positions against corresponding sizer state, if any.
1484 - A control's text colour now reflects the system colour setting.
1485 - Fixed wxFileName::GetLongPath() to behave correctly during the first call too.
1486 - Fixed alpha blitting to take into account source position.
1487 - Setting foreground colour for wxCheckBox now works when using XP themes too.
1488 - wxStaticBox label can use custom foreground colour.
1489 - Now uses newer font MS Shell Dlg 2 if possible.
1490 - Compiles again with WIN64.
1491 - Winelib compilation now works.
1492 - When converting a wxIcon to a bitmap check if the icon has an alpha
1493   channel and set the bitmap to use it.
1494 - wxSlider now also sends wxEVT_SCROLL_CHANGED when using mouse wheel
1495 - Miscellaneous wxMediaCtrl improvements.
1496 - wxTopLevelWindow::ShowFullScreen logic error fixed.
1497 - Fixed wxScrollBar background colour bug.
1498 - Fixed problems with paper sizes being ignored.
1499 - wxNotebook refresh problem fixed.
1500 - DDE fixed for Unicode.
1501 - Fixed ownerdrawn multiline buttons.
1502 - wxCheckListBox item background fixed.
1503 - Fixed error when trying to read a value from key not accessible for writing.
1504 - Fixed keyboard cue visibility issues under Windows 2000/XP
1505
1506 wxWinCE:
1507
1508 - Fixed wxFileName::CreateTempFileName.
1509
1510 wxGTK:
1511
1512 - Added support for wxSTAY_ON_TOP (GTK 2.4+).
1513 - Fixed wxTextCtrl::SetStyle for overlapping calls.
1514 - Fixed scrollbar border colour.
1515 - Added bitmap support in menus.
1516
1517 wxMac:
1518
1519 - Added support for launching 'APPL' bundles with wxExecute (usually they have a
1520   .app extension and are the ones that reside in the Applications folder).
1521 - Fixed a bug in wxGetKeyState where shift and some other keys were returning an
1522   incorrect state.
1523 - Fixed toolbar colour bug on Tiger.
1524 - Fixed visual problems caused by removal of About menu item.
1525 - Window menu now added automatically.
1526 - Configure fixed for wxBase compilation.
1527 - Modified function key support fixed.
1528 - wxTopLevelWindow::Maximize improvements.
1529
1530 wxX11:
1531
1532 - Menu problems fixed.
1533 - wxScrolledWindow scrolls any child windows.
1534 - Fixed a font memory leak.
1535 - Multiple wxTimers now work correctly.
1536
1537
1538 2.6.0
1539 -----
1540
1541 All:
1542
1543 - wxPathExists deprecated, use wxDirExists instead.
1544 - Configure: --enable-std_iostreams, --enable-std_string are now the default.
1545
1546 All (GUI):
1547
1548 - Fixed ~wxStatusBar and ~wxToolBar which tried to check
1549   non-existent wxFrameBase RTTI, causing a crash if not in a frame.
1550
1551 wxMSW:
1552
1553 - Fixed static box border when the label is empty.
1554 - Fixed SetBackgroundColour() to change only label background, not entire box.
1555 - wxHelpController is now aliased to wxCHMHelpController.
1556
1557 wxWinCE:
1558
1559 - Fixed device origin setting and clipping region setting.
1560
1561 wxGTK:
1562 - New configure syntax for specifying the GTK+ version.
1563     --with-gtk             Use GTK 2.x, no fallback
1564     --with-gtk=1           Use GTK 1.2, no fallback
1565     --with-gtk=2           Use GTK 2.x, no fallback
1566     --with-gtk=any         Use any available GTK
1567 - wxMenuItem::SetText() takes care of hotkeys, too.
1568 - Reworked text wrapping for wxStaticText.
1569
1570 wxMac:
1571 - Implemented most of the wxFileType and wxMimeTypesManager functions
1572
1573 2.5.5
1574 -----
1575
1576 All:
1577
1578 - wxURI::GetUser() only returns the user name now, use GetUserInfo() to get
1579   user and password as in 2.5.4; wxURI::GetPassword() added.
1580 - Added wxDebugReport class.
1581 - Added wxTempFileOutputStream by Stas Sergeev.
1582 - Fixed wxDateTime::SetToWeekDayInSameWeek(Sun, Monday_First).
1583 - Added WXK_SPECIAL keycodes for special hardware buttons.
1584 - Fixed bug with wxFile::Seek(-1, wxFromCurrent).
1585 - Added wxString/C array constructors to wxArrayString.
1586 - Added wxMemoryInputStream(wxMemoryOutputStream&) constructor (Stas Sergeev)
1587
1588 All (GUI):
1589
1590 - Added GetIcon, GetBitmap to wxImageList. wxGenericImageList's original
1591   GetBitmap is renamed GetBitmapPtr.
1592 - Added XPM data constructor to wxImage.
1593 - Added style parameter to wxBufferedDC to allow buffering just the client, or
1594   the whole virtual area.
1595 - Restored ability to set a custom splitter sash size with SetSashSize.
1596 - Fixed wxScrolledWindow sizer behaviour so that the virtual size
1597   isn't used to set the window size.
1598 - Added wxTE_BESTWRAP (based on patch by Mart Raudsepp).
1599 - wxEVT_COMMAND_SPLITTER_SASH_POS_CHANGED is now only sent once at the end of
1600   splitter dragging and not after each CHANGING event (Jacobo Vilella Vilahur).
1601 - Added wxImage::IsTransparent().
1602
1603 Unix:
1604
1605 - Fixed build on Linux/AMD64.
1606
1607 wxMSW:
1608
1609 - Added "orient" parameter to wxMDIParentFrame::Tile().
1610 - wxTextCtrl with wxTE_RICH2 style now uses RichEdit 4.1 if available.
1611 - fix handling Alt-key events in wxComboBox (reported by Joakim Roubert).
1612 - wxWindow::Refresh() refreshes the window children as well.
1613 - Improved static box and radio box refresh and background colour
1614   handling (Jamie Gadd).
1615
1616 wxGTK:
1617
1618 - Improved wxSystemSettings::GetMetric() to work better with X11 (Mart Raudsepp).
1619 - Corrected wxListBox selection handling.
1620 - Corrected default button size handling for different themes.
1621 - Corrected splitter sash size and look for different themes.
1622 - Fixed keyboard input for dead-keys.
1623 - Added support for more wrapping styles (Mart Raudsepp).
1624 - GTK2.4+ wxFileDialog reimplemented to support non-modal usage better,
1625   and fix all known bugs (Mart Raudsepp).
1626
1627 wxMac:
1628
1629 - Added wxFRAME_EX_METAL, wxDIALOG_EX_METAL for metallic-look windows.
1630
1631 wxPalmOS:
1632
1633 - Native wxRadioBox implementation.
1634
1635 wxWinCE:
1636
1637 - Added wxNB_FLAT for flat-look notebooks on Windows CE.
1638 - Titlebar OK button on PocketPC now sends command set by SetAffirmativeId.
1639   You can also override wxDialog::DoOK if you need more flexibility.
1640 - Dialog size now takes into account SIP or menubar.
1641 - Panels more naturally white on PocketPC.
1642 - wxDIALOG_EX_CONTEXTHELP ignored on WinCE since it interferes
1643   with correct titlebar style.
1644 - Frames have Ctrl+Q accelerator set automatically, as per the
1645   PocketPC guidelines
1646 - Documented issues in manual under wxWinCE topic.
1647 - Made (Un)RegisterHotKey WinCE-aware.
1648 - Sends wxEVT_HIBERNATE event.
1649 - Now fakes wxEVT_ACTIVATE_APP to be symmetrical with wxEVT_HIBERNATE.
1650 - Added wxTE_CAPITALIZE for CAPEDIT controls.
1651 - wxDialog::GetToolBar can be used if you need to add buttons
1652   to the dialog's toolbar.
1653
1654 2.5.4
1655 -----
1656
1657 All:
1658
1659 - wxEvent and derived classes don't have public members any more, you must
1660   use accessors methods now (Mart Raudsepp)
1661 - new classes for reading and writing ZIP files (M.J.Wetherell)
1662 - large files support for wxFFile (M.J.Wetherell)
1663 - classes in the manual are now cross-referenced (Zbigniew Zagórski)
1664 - Norwegian (BokmÃ¥l) translation added (Hans F. Nordhaug)
1665 - wxDynamicLibrary::HasSymbol() added
1666 - added wxEXEC_NODISABLE flag to be used with wxExecute(wxEXEC_SYNC)
1667 - added wxTextInputStream::operator>>(wchar_t) for compilers which support this
1668 - added wxURI, a class for dealing with Uniform Resource Identifiers
1669 - changed wxURL to inherit from wxURI and provide assignment and comparison
1670 - implemented wxConvUTF7 (modified patch from Fredrik Roubert)
1671 - added versions of MB2WC and WC2MB for wxMBConv that works for embedded null chars
1672 - Unicode support in wxODBC is now fully implemented
1673 - A new data type specific to wxWidgets called SQL_C_WXCHAR has been introduced.
1674   SQL_C_WXCHAR should be used rather than SQL_C_CHAR to ensure transparent
1675   behavior between Unicode and non-unicode builds
1676 - BLOB example added to samples/db (thanks to Casey O'Donnell)
1677 - use wxStream::GetLength() instead of deprecated GetSize()
1678 - wxGetOsDescription() is now more precise (Olly Betts)
1679 - XRC supports system fonts and colours (Ray Gilbert)
1680 - Added flags argument to wxKill/wxProcess::Kill to kill child processes.
1681 - Added wxPrintFactory classes so that it is possible to add a new
1682   print system backend at run-time. This was required by the new GNOME
1683   printing stuff in the GTK port.
1684 - Deprecated print setup dialog.
1685 - Added support to the wxODBC classes for Firebird 1.5 database
1686 - The samples/db sample program now includes an optional example of using a BLOB
1687   datatype (if BLOB support is enabled and supported by the database)
1688 - added wxDynamicLibrary::ListLoaded()
1689 - wxGetPowerType() and wxGetBatteryState() addition
1690 - wxSystemSettings::GetSystem*() members deprecated and replaced with
1691   wxSystemSettings::Get*()
1692 - wxWindowBase::DoGetBestSize now includes the difference (if any) between
1693   the client size and total size of the window.  Code that sets the
1694   client size using the best size, or that added extra space to sizers
1695   to compensate for this bug may need to be changed.
1696 - Changed calculation of scrolling area to not clip away some bits
1697   due to a rounding error.
1698 - Changed GetVirtualSize() to return client size by default until
1699   SetVirtualSize() gets called. From then on it will only return that.
1700 - Various changes to how wxListCtrl and wxTreeCtrl react to right
1701   mouse clicks and left mouse click for starting a drag operation.
1702 - "Alt" key (VK_MENU) now results in WXK_ALT keyboard event, not WXK_MENU
1703 - wxFFile::ReadAll() now takes an optional wxMBConv parameter
1704 - wxCommandProcessor::MarkAsSaved() and IsDirty() added (Angela Wrobel)
1705 - added wxStackWalker and related classes (Win32 and some Unix versions only)
1706
1707
1708 All (GUI):
1709
1710 - added wxMediaCtrl
1711 - added wxDatePickerCtrl
1712 - wxHtmlWindow now supports background images given in <body> tag
1713 - wxSplitterWindow now supports gravity parameter (Zbigniew Zagórski)
1714 - recursive wxSizer::GetItem returns item of given window, sizer or nth index
1715 - wxLayoutConstraints now use best size, not current size, for AsIs() condition
1716 - wxSizer::Add/Insert etc. now returns pointer to wxSizerItem just added and this
1717   item remembers its wxRect area (Brian A. Vanderburg II)
1718 - wxBookCtrl renamed to wxBookCtrlBase, wxBookCtrl is reserved for most native
1719   book control (for now wxChoicebook for MSSmartphone, wxNotebook for others).
1720   Necessary event macros, types and styles mapped accordingly.
1721 - new wxBrush::IsHatch() checking for brush type replaces IS_HATCH macro
1722 - wxProgressDialog accepts smooth gauge again (wxPD_SMOOTH style)
1723 - wxProgressDialog new style: wxPD_CAN_SKIP which provides skipping some parts
1724   of the progress (with new "Skip" button in dialog)
1725 - wxGenericListCtrl::SetItemState(-1) now changes the state of all items as
1726   in wxMSW version (Gunnar Roth)
1727 - added wxImage::InitAlpha()
1728
1729 Unix:
1730
1731 - wxPuts() now correctly outputs trailing new line in Unicode build
1732
1733 wxGTK:
1734
1735 - Added printing support by way of using libgnomeprint. The library
1736   now checks at runtime, if the library is installed and will use it
1737   if it is. Otherwise, it will fall back to the old PostScript printing
1738   code, from which the Pango drawing code was removed.
1739 - Implemented/improved wxDC::DrawRotatedText()
1740 - fixed wxFileDialog::SetWildcard()
1741 - native file dialog is now used if available (Zbigniew Zagorski)
1742 - implemented wxTextCtrl::Freeze() and Thaw(). The GtkTextBuffer
1743   is not a valid one during frozen state. Get a pointer to it right
1744   after wxTextCtrl creation if you really need to. (Mart Raudsepp)
1745 - Changed calls to GTK+ 2.4.x functions so that the code checks at
1746   runtime, which library version is installed so that these functions
1747   are only called with GTK+ 2.4.x installed and should yield linker
1748   errors otherwise.
1749 - wxTextCtrl text insertion efficiency fixed. (Mart Raudsepp)
1750 - Added wxRawBitmap support
1751 - Corrected Input method handler code (for Chinese etc.) and its
1752   interaction with wxWidgets' events.
1753 - wxTE_AUTO_URL implemention for wxGTK2 multiline wxTextCtrls (Mart Raudsepp)
1754
1755 wxMac:
1756
1757 - Vertical sliders oriented consistent with MSW/GTK (0 at top) (Kevin Hock)
1758 - wxDynamicLibrary::GetDllExt() now returns ".bundle", not ".dylib"
1759 - wxDynamicLibrary::GetSymbol() now prepends underscore to the symbol name
1760 - wxJoystick now works on OSX
1761
1762 wxMSW:
1763
1764 - fixed enhanced metafiles loading from files (Andreas Goebel)
1765 - wxRadioButtons no longer have to be consecutive in a group
1766 - fixed spurious selection of combobox text during resize
1767 - pass correct tool id (and not always -1) to EVT_TOOL_RCLICKED() handler
1768 - added wxRegKey::Export(file)
1769
1770 wxWinCE:
1771 - Added support for MS Handheld PC 2000. This was done before 2.5.4,
1772   but not mentioned anywhere.
1773 - Added (preliminary) support for sockets
1774
1775 wxUniv:
1776
1777 - wxBU_... button align flags support
1778 - vertical notebook orientation support
1779 - 3rd state support for checkboxes
1780 - wxLB_SORT and wxCB_SORT now cause case-insensitive sorting
1781
1782 wxPalmOS:
1783
1784 - William Osborne has won and new port was born
1785   (see: "wxPalmOS porting challenge")
1786 - polishing of the port (unnecessary 2.4 API compatibility, removed
1787   all wxMSW specific code which was base for the new port)
1788 - enumeration of available volumes
1789 - native wxPrefConfig around Preferences database
1790 - native wxProgressDialog implementation
1791 - native wxColourDialog implementation
1792 - native wxSystemSettings colours
1793 - native wxButton implementation
1794 - native wxCheckBox implementation
1795 - native wxSlider implementation
1796 - native wxToggleButton implementation
1797 - native wxRadioButton implementation
1798 - native wxStaticText implementation
1799 - native wxDatePickerCtrl implementation
1800
1801
1802 2.5.3
1803 -----
1804
1805 All:
1806
1807 - support for large (>2 Gb) files in wxFile (Tim Kosse)
1808 - number of fixes to wxPluginManager (Rick Brice, Hans Van Leemputten)
1809 - fixed memory leak in wxURL when using a proxy (Steven Van Ingelgem)
1810 - fixed bug in wxDateTime::Set(jdn) when DST was in effect
1811 - fixed fatal bug in wxString when wxUSE_STL==1 (Kurt Granroth)
1812 - support msgids in charsets other than C and languages other than English
1813   (based on patch by Stefan Kowski)
1814 - added wxMicroSleep() and wxMilliSleep() replacing deprecated wxUsleep()
1815 - basic UDP sockets support (Lenny Maiorani)
1816 - fixed wxDateTime::GetWeekDayName() for some dates (Daniel Kaps)
1817 - deprecated wxDateTime::SetToTheWeek() in favour of SetToWeekOfYear()
1818 - active mode support in wxFTP (Randall Fox)
1819 - sped up wxHTTP and wxFTP
1820 - added wxStringInput/OutputStreams
1821 - added wxFileConfig::Save(wxOutputStream)
1822 - fixed wxString's behavior with inserted null characters
1823
1824 All (GUI):
1825
1826 - added wxWindow::MoveBefore/AfterInTabOrder() to change tab navigation order
1827 - added wxTaskBarIcon::CreatePopupMenu which is now the recommended way
1828   of showing a popup menu; calling wxTaskBarIcon::PopupMenu directly
1829   is discouraged
1830 - added ..._CMD_...(id) variants for wxGrid event table entry macros
1831 - added wxWindow::Navigate for programmatic navigation to the next control
1832 - wxTextCtrl::OnChar now inserts a tab character if wxTE_PROCESS_TAB is set
1833 - added wxKeyEvent::GetUnicodeKey()
1834 - added wxKeyEvent::CmdDown() and wxMouseEvent::CmdDown()
1835 - implemented wxListCtrl::FindItem() for non-MSW (Robin Stoll)
1836 - added status bar fields styles support (Tim Kosse)
1837 - added convenience functions wxSizer::AddSpacer() and
1838   wxSizer::AddStretchSpacer() (as well as Prepend and Insert variants)
1839 - added samples/splash
1840 - added support for stock buttons
1841 - added wxTopLevelWindow::RequestUserAttention()
1842 - support for comma in contrib gizmo wxLEDNumberCtrl (Grant Likely)
1843 - recursive wxSizer::Show for subsizer and return value if element was found
1844 - added wxChoicebook control
1845 - smoother time estimation updates in wxProgressDialog (Christian Sturmlechner)
1846 - the XRC contrib library was moved to the core
1847 - wx(Choice/List/Note)book controls send CHANG(ED/ING) events in SetSelection
1848 - it is now possible to create a wxFont with given size in pixels (d2walter)
1849 - added wxTopLevelWindow::IsActive()
1850 - wxSystemSettings::GetMetric now returns -1 for metrics that are not
1851   supported, instead of zero.
1852 - IMPLEMENT_DYNAMIC_CLASS2 macro compilation fixed (Serge Bakkal)
1853
1854 Unix:
1855
1856 - wxTaskBarIcon now supports freedesktop.org System Tray protocol
1857 - security fixes to wxSingleInstanceChecker
1858 - wx-config script was modified to allow choosing from multiple installed
1859   builds of wxWidgets and to return flags/libs for selected libraries only
1860 - wx-config has new --version-full option
1861
1862 wxCocoa:
1863
1864 - added Unicode compatibility layer for OSX 10.2
1865 - fixed so that wxCocoa runs in OSX 10.2
1866 - Tooltips now supported
1867 - wxSound now supported
1868 - wxDisplay now supported
1869 - Some stock cursors now supported
1870
1871 wxMac:
1872
1873 - fixed MLTE text control GetLineText and GetLineLength on OSX
1874 - added OSX wxTaskBarIcon implementation for the OSX Dock
1875 - added Unicode compatibility layer for OSX 10.2
1876 - wxGetKeyState now works with nearly all wx key codes
1877
1878 wxGTK:
1879
1880 - wxGTK uses GTK+ 2.x by default now, you have to pass --disable-gtk2 to
1881   configure if you want to use GTK+ 1.2
1882 - fixed many rendering artifacts and wrong colours with lots of GTK+ themes
1883 - implemented wxColourDialog as native dialog
1884 - implemented wxTextCtrl::HitTest() (GTK+ >= 2)
1885 - implemented wxTextCtrl::ScrollLines() and ScrollPages for GTK+ 2.x
1886 - wxTreeCtrl::GetCount() counts root as well now (compatible with MSW)
1887 - added support for wxCHK_3STATE style (GTK2 only)
1888 - implemented text underlining under GTK2
1889 - implemented wxFRAME_NO_TASKBAR style (GTK >= 2.2)
1890 - implemented support for wxSYS_DCLICK_?, wxSYS_DRAG_? and wxSYS_CURSOR_?
1891   in wxSystemSettings::GetMetric (Mart Raudsepp)
1892 - implemented wxTopLevel::IsMaximized() for GTK+2 and WMs that implement
1893   freedesktop.org's wm-spec (Mart Raudsepp)
1894 - wxEVT_CONTEXT_MENU is now generated for right mouse press, not release
1895 - implemented alpha channel support in wxBitmap
1896 - added native GTK+2 wxArtProvider implementation with ability to load
1897   icons from icon theme in addition to recognized stock art
1898 - fixed crash on 64 bit platforms (Paul Cornett)
1899
1900 wxMotif:
1901
1902 - added support for wxCHK_3STATE style (3 state checkbox)
1903
1904 wxMSW:
1905
1906 - fixed UNC paths handling in wxFileSystem (Daniel Nash)
1907 - set wxKeyEvent::m_uniChar in Unicode build
1908 - support for alpha channel in toolbar bitmaps (Jurgen Doornik)
1909 - wxFileDialog can now be moved and centered (Randall Fox)
1910 - restored (and improved) possibility to use wx with MFC broken in 2.5.2
1911 - fixed wxTextCtrl::SetMaxLength for rich edit controls
1912 - fixed flat style for toolbars under XP, Windows Classic style
1913 - fixed truncation of transferred data in wxConnection under unicode build
1914 - wxChoice and wxComboBox dropdown background can be set now too (Adrian Lupei)
1915 - fixed wxMaximizeEvent generation in wxFrame
1916 - don't send duplicate EVT_COMBOBOX events whenever selection changes any more
1917 - implemented support for selecting printer bin (Steven Van Ingelgem)
1918 - fixed wxListCtrl::SetSingleStyle() which was broken since a few releases
1919 - fixed print setup problem (always uses default printer) in Unicode build
1920
1921 wxUniv/X11:
1922
1923 - fixed fatal crash when opening a menu
1924
1925 wxWinCE:
1926
1927 - added native WinCE driven smartphone wxTextCtrl implementation using spinners
1928 - added native WinCE driven smartphone wxChoice implementation using spinners
1929 - added automated but customizable handling of native WinCE driven smartphone menus
1930 - fixed wxRadioBox and wxStaticBox
1931
1932 wxHTML:
1933
1934 - added support for nested index entries and index entries pointing to more
1935   than one page to wxHtmlHelpController
1936
1937
1938 2.5.2
1939 -----
1940
1941 All:
1942
1943 - Hindi translation added (Dhananjaya Sharma)
1944 - Brazilian Portuguese translation added (E. A. Tacao)
1945 - wxDynamicCast() now uses static_cast<wxObject *> internally and so using it
1946   with anything not deriving from wxObject will fail at compile time (instead
1947   of run-time) now
1948 - when wxUSE_STL == 1 and STL provides quasi-standard hash_map/hash_set,
1949   wxHashMap/wxHashSet are just typedefs for them. This makes impossible
1950   to forward declare these classes.
1951
1952 All (GUI):
1953
1954 - wxHtmlWindow now delays image scaling until rendering,
1955   resulting in much better display of scaled images
1956 - Added UpdateSize to wxSplitterWindow to allow layout while hidden
1957 - implemented Freeze/Thaw() for wxGenericTreeCtrl (Kevin Hock)
1958 - support for KOI8-U encoding added (Yuriy Tkachenko)
1959 - The old wxADJUST_MINSIZE behaviour is now the default behaviour for
1960   sizer items that are windows.  This means that GetAdjustedBestSize
1961   will now be called by default to determine the minimum size that a
1962   window in a sizer should have.  If you want to still use the initial
1963   size (and not the BestSize) then use the wxFIXED_MINSIZE flag.  When
1964   windows are added to a sizer their initial size is made the window's
1965   min size using SetSizeHints, and calls to wxSizer::SetItemMinSize
1966   are also forwarded to SetSizeHints for window items.
1967 - added wxRegEx::GetMatchCount()
1968 - it is now possible to display images in wxHtmlListBox
1969
1970 wxMSW:
1971
1972 - wxWindow::Freeze()/Thaw() can now be nested
1973 - Added wxSP_NO_XP_THEME style to wxSplitterWindow to switch off
1974   XP theming (some applications look bad without 3D borders)
1975 - wxMenuBar::GetLabelTop() doesn't include '&'s in the label any more
1976 - wxRegConf couldn't read global settings without admin privileges and didn't
1977   even try to do it by default -- now it does
1978 - wxTaskBarIcon must be explicitly destroyed now, otherwise the application
1979   won't exit even though there are no top level windows
1980 - wxFileName::GetModificationTime() works with opened files too now
1981 - wxDC::GetClippingBox() now works even for clipping regions created by Windows
1982 - fixed wxFileDataObject in Unicode build (Alex D)
1983 - subindented paragraphs support (Tim Kosse)
1984
1985 wxGTK:
1986
1987 - added support for wxTE_RIGHT and wxTE_CENTRE styles under GTK2 (Mart Raudsepp)
1988
1989 wxMotif:
1990
1991 - removed wxMenuItem::DeleteSubMenu()
1992 - wxButtons use Motif default size, which is smaller than it used to be
1993   and closer to wxMSW/wxGTK look. This can be disabled by setting
1994   motif.largebuttons system option to 1 (see wxSystemOptions).
1995
1996 wxUniv/X11:
1997
1998 - implemented DrawRoundedRectangle() (clawghoul)
1999
2000 wxHTML:
2001
2002 - improved tables and lists layout algorithms (Tim Kosse)
2003 - <div> handling fix (Xavier Nodet)
2004
2005 Unix:
2006
2007 - fixed priorities of mailcap entries (David Hart)
2008 - added "wx-config --libs=std,<extra>" syntax (i.e. support for "std")
2009
2010 wxODBC:
2011
2012 - Full Unicode support is now available
2013 - BLOB support is working
2014
2015
2016 2.5.1
2017 -----
2018
2019 All:
2020
2021 - event table macros now do some minimal type safety checks (Michael Sögtrop)
2022 - added wxGzipInput/OutputStream, bug fixes in wxZlibStreams (M.J.Wetherell)
2023 - wxDateTime::ParseDateTime() implemented (Linus McCabe)
2024 - wxHTTP::GetResponse() added (David Nock)
2025 - added conversions to/from UTF 16/32 LE/BE (Andreas Pflug)
2026 - added wxTextInputStream::ReadChar() (M.J.Wetherell)
2027 - added translation to Afrikaans (Petri Jooste)
2028 - Spanish translations updated (Javier San Jose)
2029 - added gettext plural forms support to wxLocale (Michael N. Filippov)
2030 - wxFileName::Normalize(wxPATH_NORM_ALL) doesn't lower filename case any more
2031 - wxFileName::Normalize(wxPATH_NORM_ENV_VARS) now works
2032 - check if file exists in wxFileConfig::DeleteFile() (Christian Sturmlechner)
2033 - when wxUSE_STL == 1 wxHashTable will not be implemented using wxHashMap
2034   (as in 2.5.0).
2035 - added some extra convenience functions to wxRect such as
2036   GetBottomRight (Hajo Kirchhoff)
2037 - changed built-in regex library to a Unicode-compatible version based
2038   on TCL sources (Ryan Norton, M. J. Wetherell)
2039 - added extra convenience functions to wxPoint for adding a
2040   wxSize (Wlodzimierz Skiba)
2041 - intermediate wxIPaddress class added to prepare for
2042   wxIPV6address (Ray Gilbert)
2043 - added overloaded constructors and Create() methods taking wxArrayString
2044   for wxChoice, wxComboBox, wxListBox, wxRadioBox, wxCheckListBox,
2045   wxSingleChoiceDialog, wxMultipleChoiceDialog
2046 - renamed wxWave class to wxSound
2047
2048 All (GUI):
2049
2050 - added 3-state checkboxes for MSW/Mac (Dimitri Schoolwerth)
2051 - added some support for C++ exceptions in the library (do read the manual!)
2052 - added wxListCtrl::GetViewRect()
2053 - added wxTextCtrl::MarkDirty()
2054 - wxToolBar::ToggleTool() now works for radio buttons (Dag Ã…gren)
2055 - wxListCtrl now sends an END_LABEL event if editing was cancelled, too
2056 - bug in wxRect ctor from two [out of order] wxPoints fixed (Steve Cornett)
2057 - status text is now restored after wxMenu help is shown in it
2058 - bug in wxWindow::RemoveEventHandler() fixed (Yingjun Zhang)
2059 - make it possible to use wxRTTI macros with namespaces (Benjamin I. Williams)
2060 - wxColourDatabase API now uses objects instead of pointers
2061 - added resolution option to JPEG image handler (Jeff Burton)
2062 - added wxCalendarEvent::SetDate, wxCalendarEvent::SetWeekDay
2063 - wxGenericDirCtrl now accepts multiple wildcards
2064 - added focus event forwarding to wxGrid (Peter Laufenberg)
2065 - fixed scrollbar problem in wxGrid (not showing scrollbars
2066   when sizing smaller) (Shane Harper)
2067 - dbbrowse demo fixed for Unicode (Wlodzimierz Skiba)
2068 - added wxStatusBar support to XRC (Brian Ravnsgaard Riis)
2069 - wxMenu::Append and etc. return a pointer to the wxMenuItem that was
2070   added or inserted, or NULL on failure.
2071 - using a -1 (wxID_ANY) for menu or toolbar item IDs will now generate new id
2072 - added option to generate C++ headers to wxrc utility (Eduardo Marques)
2073 - added wxDC::DrawPolyPolygon() for MSW/PS (Carl-Friedrich Braun)
2074 - wxBufferedDC now allows to preserve the background and is documented
2075 - added wxDC::GetPartialTextExtents
2076
2077 wxMSW:
2078
2079 - wxWidgets now builds under Win64
2080 - fixed DDE memory leaks
2081 - fixed wxTE_*WRAP styles handling
2082 - wxTextCtrl::GetValue() works with text in non default encoding
2083 - changed wxCrashReport to generate minidumps instead of text files
2084 - wxRadioButtons are now checked when they get focus (standard behaviour)
2085 - several fixes to owner drawn menu items (Christian Sturmlechner)
2086 - wxGauge now supports full 32 bit range (Miroslav Rajcic)
2087 - make it possible to give focus to the notebook tabs (Hajo Kirchhoff)
2088 - MDI child frames are not always resizeable any more (Andrei Fortuna)
2089 - fixed enumerating of entries/groups under '/' in wxRegConfig
2090 - added wxSYS_ICONTITLE_FONT (Andreas Pflug)
2091 - added wxPATH_NORM_SHORTCUT to wxFileName
2092 - wxComboBox::GetValue within a wxEVT_COMMAND_TEXT_UPDATED event
2093   should now pass the correct value even if the handler for
2094   wxEVT_COMMAND_COMBOBOX_SELECTED changed the selection
2095 - wxFileDialog now returns correct filter index for multiple-file dialogs
2096 - added wxTextCtrl::HitTest()
2097 - experimental wxURL implementation using WinInet functions (Hajo Kirchhoff)
2098 - fixed several bugs in wxNotebook with wxNB_MULTILINE style
2099 - accelerators are now initially hidden if appropriate (Peter Nielsen)
2100 - background colour of a wxComboBox may now be set
2101 - fixed wxListCtrl::GetItemText/BackgroundColour()
2102 - Esc can now be used to close menus in the dialogs (Hartmut Honisch)
2103 - Added msw.remap system option so colourful toolbar buttons
2104   aren't mangled if you set it to 0. The default is 1
2105 - Toolbar buttons are now centred if the bitmap size is smaller
2106   than the specified default size
2107 - Fixed a bug in wxSpinCtrl::DoGetBestSize that would make wxSpinCtrl too tall
2108
2109 wxGTK:
2110
2111 - fixes to wxTextCtrl scrolling under GTK2 (Nerijus Baliunas)
2112 - fix for crash when using user-dashed lines (Chris Borgolte)
2113 - fixed wxChoice::Delete() in presence of client data
2114 - allow calling wxWindow::SetFont if window not yet created
2115 - use same average character width as other ports when calculating dialog units
2116 - fixed mouse wheel handling under GTK2 (Hugh Fisher)
2117 - wxNotebook::HitTest() implemented (Daniel Lundqvist)
2118 - memory leaks fixes in wxFileDialog (John Labenski)
2119 - don't drop click events from triple clicks (Frode Solheim)
2120
2121 wxMac:
2122
2123 - use same average character width as other ports when calculating dialog units
2124 - implemented handling of mouse wheel
2125 - fix for long file names (longer than 32 characters) in file dialogs
2126 - use Unix sockets for Mach-o builds
2127
2128 wxMotif:
2129
2130 - look for Motif 2.1 headers before Motif 1.2 ones in configure
2131
2132 wxHTML:
2133
2134 - wxHtmlHelpController now supports compressed MS HTML Help files (*.chm)
2135   on Unix (Markus Sinner)
2136
2137 Unix:
2138
2139 - added XFree86 resolution changing using xf86vidmode extensions (Ryan Norton)
2140 - implemented asynchronous playback in wxSound and added SDL backend in
2141   addition to existing OSS one
2142 - it is now possible to send PostScript to any output stream (Zoltan Kovacs)
2143
2144
2145 2.5.0
2146 -----
2147
2148 All:
2149
2150 - It is now possible to build several smaller libraries instead of single
2151   huge wxWidgets library; wxBase is now dependency of GUI ports rather then
2152   separately compiled library
2153 - added wxDateSpan::operator==() and !=() (Lukasz Michalski)
2154 - added wxFileName::GetForbiddenChars() (Dimitri Schoolwerth)
2155 - use true/false throughout the library instead of TRUE/FALSE
2156 - wxStopWatch::Start() resumes the stop watch if paused, as per the docs
2157 - added wxDirTraverser::OnOpenError() to customize the error handling
2158 - added wxArray::SetCount()
2159 - wxFile, wxFFile, wxTextFile and wxTempFile now all use UTF-8 encoding
2160   by default in Unicode mode
2161 - bug in wxDateTime with timezones on systems with tm_gmtoff in struct tm fixed
2162 - added wx/math.h (John Labenski)
2163 - added Catalan translations (Pau Bosch i Crespo)
2164 - added Ukrainian translations (Eugene Manko)
2165 - fixed bug with deleting entries at root level in wxFileConfig
2166 - chkconf.h now includes platform-specific versions (for MSW
2167   and Mac) which contain some tests that were in setup.h
2168 - added event sink argument to wxEvtHandler::Connect()
2169 - added support for POST method and alt ports to wxHTTP (Roger Chickering)
2170 - added wxSocket::IPAddress() (Chris Mellon)
2171 - wxDataStreams can read/write many elements at once (Mickael Gilabert)
2172 - added wxRecursionGuard class
2173 - added wxThreadHelper class (Daniel Howard)
2174 - Added STL support (--enable-stl for configure, wxUSE_STL in setup.h).
2175   When enabled, wxString will derive from std::string, wxArray from,
2176   std::vector, wxList from std::list. In addition wxHashTable will be
2177   implemented in terms of wxHashMap.
2178 - Added wxList::compatibility_iterator. Can be used like wxNode* (except
2179   it can't be delete()d). It permits writing code which will work
2180   both with wxUSE_STL==1 and wxUSE_STL==0.
2181
2182 wxBase:
2183
2184 - added Watcom makefiles
2185 - fixed bug with searching in sorted arrays (Jürgen Palm)
2186
2187 All GUI ports:
2188
2189 - added wxVScrolledWindow, wxVListBox and wxHtmlLbox classes
2190 - added wxListbook control
2191 - added alpha channel support to wxImage
2192 - added wxRenderer class allowing to customize the drawing of generic controls
2193 - added wxCLOSE_BOX style for dialogs and frames
2194 - added wxSplitterWindow and wxWizard handlers to XRC
2195 - wxWizard is now sizer-friendly and may be made resizeable (Robert Vazan)
2196 - added proportion to wxFlexGridSizer::AddGrowableRow/Col (Maxim Babitski)
2197 - added wxFlexGridSizer::SetFlexibleDirection() (Szczepan Holyszewski)
2198 - implemented GetEditControl for wxGenericTreeCtrl (Peter Stieber)
2199 - improved contrib/utils/convertrc parsing (David J. Cooke)
2200 - fixed handling of URLs and filenames in wxFileSystem
2201 - implemented alignment for wxGrid bool editor and renderer
2202 - support wxListCtrl columns alignment for all platforms and not just MSW
2203 - added wxToolBar Add/InsertTool(tool) (Janusz Piwowarski)
2204 - added wxTB_HORZ_TEXT style for MSW and GTK (Axel Schlueter)
2205 - fixed user dash handling for MSW and GTK (Ken Edwards)
2206 - WXR resources can now be used in Unicode builds
2207 - it is now possible to use several wxFileHistory objects in the same menu
2208   by giving them different base IDs (Dimitri Schoolwerth)
2209 - Added wxTLW::SetShape with implementations for wxMSW and wxGTK (so far)
2210 - FL: removed const from EnableTool parameters
2211 - FL: signal child window when toolbar is closed
2212 - In various places, changed tests for pathsep on last char of string to call
2213   wxEndsWithPathSeparator(s)
2214 - Added to defs.h a couple of macros (wxPtrToULong & wxULongToPtr)
2215 - Minor improvements to document/view framework, including
2216   delayed deletion of a document (until after the user has chosen
2217   a new document), and more intelligent addition of filenames to
2218   the file history, including not adding filenames if not using the
2219   default extension for the template
2220 - sped up wxImage::Scale using fixed point arithmetic (Wade Brainerd)
2221 - Added BLOB support to wxDB (John Skiff)
2222 - wxWizard now validates when pressing Back or Next
2223 - Implemented wxNotebook::DoGetBestSize so Fit now works
2224 - Added FindItemByPosition to wxMenu
2225 - wxTimer now derives from wxEvtHandler and is its own owner object by default
2226 - Extended wxTextAttr and added wxTextCtrl::GetStyle stub
2227   to allow better rich text support.
2228 - implemented wxFlexGridSizer::Show() (Wade Brainerd)
2229 - Added m_ prefix to wxColourData and wxFontData members
2230 - Added wxHtmlPrintout::AddFilter so HTML printing can be subject to
2231   custom filters as well as HTML viewing.
2232 - Moved wxApp::SendIdleEvents and wxApp::ProcessIdle into common code.
2233 - wxWindow::OnInternalIdle is now used in all ports, and ensures that
2234   user OnIdle events do not interfere with crucial internal processing.
2235 - wxWindow::UpdateWindowUI is now a documented function that
2236   sends wxUpdateUIEvents, and can be overridden. It has a helper function
2237   DoUpdateWindowUI for taking appropriate wxUpdateUIEvent action.
2238 - Added functions to wxUpdateUIEvent: Set/GetMode, Set/GetUpdateInterval,
2239   CanUpdate, to assist with optimising update event frequency.
2240 - Added functions to wxIdleEvent: Set/GetMode, CanSend, to
2241   determine whether a window should receive idle events.
2242 - Added wxWS_EX_PROCESS_IDLE, wxWS_EX_PROCESS_UI_UPDATES window
2243   styles for use with conservative idle and update event modes.
2244 - send menu update events only when a menu is about to be used (MSW/GTK)
2245 - improved event processing performance (Hans Van Leemputten)
2246 - added wxMirrorDC class
2247 - printing improvements: GetPageInfo() gets called after the DC has
2248   been set and after OnPreparePrinting() has been called so it can
2249   report the number of pages accurately; doesn't try to set
2250   number of pages in print dialog, in common with other Windows apps;
2251   wxHTML easy printing's preview shows number of pages
2252   correctly; preview scrollbars are set correctly; keyboard navigation
2253   improved
2254
2255 Unix:
2256
2257 - fixed compilation on systems with zlib installed but < 1.1.3 version
2258 - fixed compilation on Solaris 7 with large files support enabled
2259 - added wxTaskBarIcon implementation for X11
2260 - added support for GNU/Hurd in configure
2261 - wxLocale::Init now tries to set .utf8 locale in Unicode mode (Andreas Pflug)
2262
2263 Generic controls:
2264
2265 - implemented wxListCtrl::Refresh() (Norbert Berzen)
2266 - support adding/removing columns dynamically (Donald C. Taylor)
2267 - wxToolBarSimple, property list classes, wxTreeLayout moved
2268   to contrib/src/deprecated
2269
2270 wxGTK:
2271
2272 - added support for label mnemonics to GTK+2 build (Michael Moss)
2273 - added native wxMessageDialog implementation for GTK+2 build
2274 - fixed wxMenu::Remove (John Skiff and Benjamin Williams)
2275 - made wxTextCtrl::EmulateKeyPress() work for Delete and Backspace
2276 - fixed wxTopLevelWindow::ShowFullScreen to work with kwin, IceWM and
2277   window managers that support _NET_WM_STATE_FULLSCREEN
2278 - added wxEVT_MENU_OPEN event generation
2279 - fixed bug in generic file selector causing incomplete file extensions to
2280   be appended to filenames with no extension
2281 - added wxTextCtrl::SetSelection implementation for GTK+ 2
2282 - fixed wxTextCtrl::IsEditable() for GTK+ 2
2283 - fixed wxStaticText alignment for GTK+ 2 (Kevin Hock)
2284 - don't consume 100% CPU when showing a popup menu
2285
2286 wxMac:
2287
2288 - generate wxEVT_SCROLL_THUMBRELEASE and wxEVT_SCROLLWIN_THUMBRELEASE events
2289 - generate wxEVT_MENU_OPEN and wxEVT_MENU_CLOSE events
2290
2291 wxMSW:
2292
2293 - possibility to use DIBs for wxBitmap implementation (Derry Bryson)
2294 - added wxCrashReport
2295 - wxStaticBitmap doesn't stretch its bitmap any longer (like other ports)
2296 - support for accelerator keys in the owner drawn menus (Derry Bryson)
2297 - wxCaret::SetSize() doesn't hide the caret any longer as it used to
2298 - wxCheckListBox::Check() doesn't send CHECKLISTBOX_TOGGLE event any more
2299 - fixed bugs in wxThread::Wait() and IsAlive()
2300 - fixed bug with wxTR_EDIT_LABELS not working with wxTR_MULTIPLE
2301 - fixes for compilation with OpenWatcom and DigitalMars compilers
2302 - fixed wxStaticText best size calculation (was wrong by '&' width)
2303 - fixed calling wxFrame::Maximize(FALSE) before the window is shown
2304 - added wxNotebook::HitTest() (Otto Wyss)
2305 - libraries built with makefile.g95 have a _min or _cyg suffix (MinGW/Cygwin)
2306 - when using DLL, wxLocalFSHandler was not being exported
2307 - fixed problem with wxEvtHandler object not removed from wxPendingEvents
2308 - Windows XP manifest is now included in wx.rc; it is no longer necessary
2309   to ship .exe.manifest file with applications to support XP themes
2310 - wxLocale::Init no longer reports error if trying to set Unicode-only locale
2311   or if user's default locale is Unicode-only
2312 - improved border handling under Windows XP
2313 - partial fix for wxNotebook pages looking bad under XP: wxUSE_UXTHEME
2314   enables XP theme engine code, and wxUSE_UXTHEME_AUTO tells
2315   wxWidgets to use the theme tab colour for control backgrounds.
2316 - disable wxNB_RIGHT, wxNB_LEFT, wxNB_BOTTOM notebook styles under Windows XP
2317 - fixed release mode build with VC 7.x (Martin Ecker)
2318 - added support for wxALWAYS_SHOW_SB style
2319 - you don't need to add opengl32.lib when using VC++ now (David Falkinder)
2320
2321 wxMotif:
2322
2323 - made wxFileDialog behaviour with complex wildcards more sensible (it still
2324   does not support all the features other ports do); refer to wxFileDialog
2325   documentation for a detailed explanation
2326 - implemented wxWakeUpIdle
2327 - for Motif 2.0, used the native combobox widget instead of the GPL'd
2328   xmcombo; xmcombo is still used for Motif 1.x and Lesstif when compiled
2329   with Motif 1.x compatibility
2330 - implemented wxToggleButton
2331 - wxRadioBox and wxStaticBox now use the default shadow (border) style
2332   instead of a sunken border
2333 - implemented wxBitmapDataObject
2334 - finished wxClipboard implementation
2335
2336 wxUniv:
2337
2338 - controls in toolbars now supported
2339
2340 wxHTML:
2341
2342 - added text selection to wxHtmlWindow
2343 - added SetFonts to HTML printing classes (Adrian Philip Look)
2344 - it is now possible to force page break when printing by inserting
2345   <div style="page-break-before:always"> into the markup (Greg Chicares)
2346 - wxHtmlWindow now uses double buffering to prevent flicker
2347
2348
2349 OLD CHANGES
2350 ===========
2351
2352 INCOMPATIBLE CHANGES SINCE 2.2.x
2353 ================================
2354
2355     Please take a few minutes to read the following list, especially
2356     paying attention to the most important changes which are marked
2357     with '!' in the first column.
2358
2359     Also please note that you should ensure that WXWIN_COMPATIBILITY_2_2
2360     is defined to 1 if you wish to retain maximal compatibility with 2.2
2361     series -- however you are also strongly encouraged to try to compile
2362     your code without this define as it won't be default any longer in
2363     2.6 release.
2364
2365     NB: if you want to build your program with different major versions
2366         of wxWidgets you will probably find the wxCHECK_VERSION() macro
2367         (see the documentation) useful.
2368
2369
2370 wxBase:
2371
2372 ! wxArray<T>::Remove(size_t) has been removed to fix compilation problems
2373   under 64 bit architectures, please replace it with RemoveAt() in your
2374   code.
2375
2376 ! wxArray<T> macros have been changed to fix runtime problems under 64 bit
2377   architectures and as a side effect of this WX_DEFINE_ARRAY() can only be
2378   used now for the pointer types, WX_DEFINE_ARRAY_INT should be used for the
2379   arrays containing non-pointers.
2380
2381 - wxObject::CopyObject() and Clone() methods were removed because they
2382   simply don't make sense for all objects
2383
2384 - wxEvent now has a pure virtual Clone() method which must be implemented
2385   by all derived classes, if you have user-defined event classes please
2386   add "wxEvent *Clone() const { return new MyEvent(*this); }" line to them
2387
2388 - small change to wxStopWatch::Pause() semantics, please see the documentation
2389
2390 - unlikely but possible incompatibility: the definition of TRUE has changed
2391   from "1" to "(bool)1" (and the same thing for FALSE), so the code which
2392   could be erroneously compiled previously such as doing "return FALSE" from
2393   a function returning a pointer would stop compiling now (but this change
2394   is not supposed to have any effects on valid code)
2395
2396 - another minor change: wxApp::OnAssert() has a new "cond" argument, you
2397   must modify YourApp::OnAssert() signature if you were using it to override
2398   the default assert handling.
2399
2400 All (GUI):
2401
2402 ! the event type constants are not constants any more but are dynamically
2403   allocated during run-time which means that they can't be used as case labels
2404   in the switch()es, you must rewrite them to use if()s instead
2405
2406   You may also define WXWIN_COMPATIBILITY_EVENT_TYPES to get the old behaviour
2407   but this is strongly discouraged, please consider changing your code
2408   instead!
2409
2410 ! wxDialog does not derive from wxPanel any longer - if you were using it in
2411   your code, please update it. The quick fix for the most cases is to replace
2412   the occurrences of wxPanel with wxWindow.
2413
2414 ! if you handle (and don't skip) EVT_KEY_DOWN, the EVT_CHAR event is not
2415   generated at all, so you must call event.Skip() in your OnKeyDown() if
2416   you want to get OnChar() as well
2417
2418 - in general, the key events sent for the various non ASCII key combinations
2419   have been changed to make them consistent over all supported platforms,
2420   please see the wxKeyEvent documentation for details
2421
2422 - wxYES_NO is now wxYES | wxNO and the manifest values of both wxYES and wxNO
2423   have changed (to fix some unfortunate clashes), please check your code to
2424   ensure that no tests for wxYES or wxNO are broken: for example, the following
2425   will *NOT* work any longer:
2426
2427         if ( flags & wxYES_NO )
2428                 ... do something ...
2429         if ( flags & wxYES )
2430                 ... do something else ...
2431
2432 - static wxWizard::Create() doesn't exist any more, the wizards are created
2433   in the same way as all the other wxWindow objects, i.e. by directly using
2434   the ctor
2435
2436 - wxGLCanvas now derives directly from wxWindow, not wxScrolledWindow
2437
2438 - wxGridCellAttrProvider class API changed, you will need to update your code
2439   if you derived any classes from it
2440
2441 - wxImage::ComputeHistogram()'s signature changed to
2442   unsigned long ComputeHistogram(wxImageHistogram&) const
2443
2444 - wxEvtHandler cannot be copied/assigned any longer - this never worked but
2445   now it results in compile-time error instead of run-time crashes
2446
2447 - WXK_NUMLOCK and WXK_SCROLL keys no longer result in EVT_CHAR() events,
2448   they only generate EVT_KEY_DOWN/UP() ones
2449
2450 - the dialogs use wxApp::GetTopWindow() as the parent implicitly if the
2451   parent specified is NULL, use wxDIALOG_NO_PARENT style to prevent this
2452   from happening
2453
2454 - several obsolete synonyms are only retained in WXWIN_COMPATIBILITY_2_2 mode:
2455   for example, use wxScrolledWindow::GetViewStart() now instead of ViewStart()
2456   and GetCount() instead of Number() in many classes
2457
2458 - wxCmdLineParser does not use wxLog to output messages anymore.
2459   to obtain the previous behaviour, add
2460   wxMessageOutput::Set(new wxMessageOutputLog); to your program
2461   (you will need to #include <wx/msgout.h>)
2462
2463 wxMSW:
2464
2465 ! build system changed: setup.h is not a static file in include/wx any more
2466   but is created as part of the build process under lib/<toolkit>/wx
2467   where <toolkit> is of the form (msw|univ)[dll][u][d]. You'll need to update
2468   the include path in your make/project files appropriately. Furthermore,
2469   xpm.lib is no longer used by wxMSW, it was superseded by the wxXPMDecoder
2470   class. You'll need to remove all references to xpm.lib from your
2471   make/project files. Finally, the library names have changed as well and now
2472   use the following consistent naming convention: wxmsw[ver][u][d].(lib|dll)
2473   where 'u' appears for Unicode version, 'd' -- for the debug one and version
2474   is only present for the DLLs builds.
2475
2476 - child frames appear in the taskbar by default now, use wxFRAME_NO_TASKBAR
2477   style to avoid it
2478
2479 - all overloads of wxDC::SetClippingRegion() combine the given region with the
2480   previously selected one instead of replacing it
2481
2482 - wxGetHomeDir() uses HOME environment variable and if it is set will not
2483   return the programs directory any longer but its value (this function has
2484   never been meant to return the programs directory anyhow)
2485
2486 - wxHTML apps don't need to include wx/html/msw/wxhtml.rc in resources file
2487   anymore. The file was removed from wxMSW
2488
2489
2490 Unix ports:
2491
2492 ! You should use `wx-config --cxxflags` in your makefiles instead of
2493   `wx-config --cflags` for compiling C++ files. CXXFLAGS contains CFLAGS
2494   and the compiler flags for C++ files only, CFLAGS should still be used
2495   to compile pure C files.
2496
2497
2498 wxThread and related classes:
2499
2500 - The thread-related classes have been heavily changed since 2.2.x versions
2501   as the old code had many serious problems. This could have resulted in
2502   semantical changes other than those mentioned here, please review use of
2503   wxThread, wxMutex and wxCondition classes in your code.
2504
2505 ! wxCondition now *must* be used with a mutex, please read the (updated) class
2506   documentation for details and revise your code accordingly: this change was
2507   unfortunately needed as it was impossible to ensure the correct behaviour
2508   (i.e. absence of race conditions) using the old API.
2509
2510 - wxMutex is not recursive any more in POSIX implementation (it hasn't been
2511   recursive in 2.2.x but was in 2.3.1 and 2.3.2), please refer to the class
2512   documentation for the discussion of the recursive mutexes.
2513
2514 - wxMutex::IsLocked() doesn't exist any more and should have never existed:
2515   this is was unique example of a thread-unsafe-by-design method.
2516
2517
2518 OTHER CHANGES
2519 =============
2520
2521 2.4.0
2522 -----
2523
2524 wxMSW:
2525
2526 - fixed loss of client data in wxChoice::SetString()
2527
2528 2.3.4
2529 -----
2530
2531 All:
2532
2533 - added (partial) Indonesian translations (Bambang Purnomosidi D. P.)
2534 - added wxSizer::Show()/Hide() (Carl Godkin)
2535 - fixed bugs in wxDateTime::SetToWeekDay()/GetWeek()
2536
2537 Unix (Base/GUI):
2538
2539 - minor OpenBSD compilation/linking fixes, now builds OOB under OpenBSD 3.1
2540 - don't include -I/usr/include nor -I/usr/local/include in wx-config output
2541 - shared library symbols are now versioned on platforms that support it (Linux)
2542
2543 wxGTK:
2544 - Further work for GTK 2.0 and Unicode support.
2545 - Addition of native frame site grip.
2546
2547 wxX11:
2548 - Unicode support through Pango library.
2549
2550 wxMSW:
2551
2552 - fixed crashes in wxListCtrl under XP
2553 - added context menu for rich edit wxTextCtrl
2554
2555 wxHTML:
2556
2557 - fixed wxHTML to work in Unicode build
2558
2559 2.3.3
2560 -----
2561
2562 wxBase:
2563
2564 - building wxBase with Borland C++ is now supported (Michael Fieldings)
2565 - wxSemaphore class added, many fixed to wxCondition and wxThread (K.S. Sreeram)
2566 - fixes to the command line parsing error and usage messages
2567 - modified wxFileName::CreateTempFileName() to open the file atomically
2568   (if possible) and, especially, not to leak the file descriptors under Unix
2569 - memory leak in wxHTTP fixed (Dimitri Schoolwerth)
2570 - fixes to AM_PATH_WXCONFIG autoconf macro
2571 - added wxHashMap class that replaces type-unsafe wxHashTable and is modelled
2572   after (non standard) STL hash_map
2573 - wxLocale now works in Unicode mode
2574 - wxLocale can now load message catalogs in arbitrary encoding
2575 - added wxShutdown() function (Marco Cavallini)
2576 - added wxEXPLICIT macro
2577 - IPC classes improved and memory leaks fixed (Michael Fielding).
2578   Global buffer removed, duplication in docs removed
2579 - debug new/free implementations made thread-safe
2580
2581 Unix (Base/GUI):
2582
2583 - wxWidgets may be built using BSD and Solaris (and possibly other) make
2584   programs and not only GNU make
2585 - wxTCP-based IPC classes now support communicating over Unix domain sockets
2586 - wxWidgets may be built as a dynamic shared library under Darwin / Mac OS X
2587   lazy linking issues have been solved by linking a single module (.o) into
2588   the shared library (two step link using distrib/mac/shared-ld-sh)
2589 - fixed thread priority setting under Linux
2590
2591 All (GUI):
2592
2593 - it is now possible to set the icons of different sizes for frames (e.g. a
2594   small and big ones) using the new wxIconBundle class
2595 - implemented radio menu items and radio toolbar buttons
2596 - added possibility to show text in the toolbar buttons
2597 - added wxArtProvider class that can be used to customize the look of standard
2598   wxWidgets dialogs
2599 - significantly improved native font support
2600 - wxImage::ComputeHistogram() now uses wxImageHistogram instead of type-unsafe
2601   wxHashTable
2602 - added IFF image handler
2603 - fixed using custom renderers in wxGrid which was broken in 2.3.2
2604 - support for multiple images in one file added to wxImage
2605   (TIFF, GIF and ICO formats)
2606 - support for CUR and ANI files in wxImage added (Chris Elliott)
2607 - wxTextCtrl::GetRange() added
2608 - added wxGetFontFromUser() convenience function
2609 - added EVT_MENU_OPEN and EVT_MENU_CLOSE events
2610 - added Hungarian translations (Janos Vegh)
2611 - added wxImage::SaveFile(filename) method (Chris Elliott)
2612 - added wxImage::FloodFill and implemented wxWindowDC::DoFloodFill method
2613   for GTK+, Mac, MGL, X11, Motif ports (Chris Elliott)
2614 - added (platform-dependent) scan code to wxKeyEvent (Bryce Denney)
2615 - added wxTextCtrl::EmulateKeyPress()
2616 - Added wxMouseCaptureChangedEvent
2617 - Added custom character filtering to wxTextValidator
2618 - wxTreeCtrl now supports incremental keyboard search
2619 - wxMessageOutput class added
2620 - wxHelpProvider::RemoveHelp added and called from ~wxWindowBase
2621   so that erroneous help strings are no longer found as the hash
2622   table fills up
2623 - updated libpng from 1.0.3 to 1.2.4
2624 - Added wxView::OnClosingDocument so the application can do cleanup.
2625 - generic wxListCtrl renamed to wxGenericListCtrl, wxImageList
2626   renamed to wxGenericImageList, so they can be used on wxMSW
2627   (Rene Rivera).
2628 - Added wxTreeEvent::IsEditCancelled so the application can tell
2629   whether a label edit was cancelled.
2630 - added static wxFontMapper::Get() accessor
2631
2632 wxMSW:
2633
2634 - small appearance fixes for native look under Windows XP
2635 - fixed the bug related to the redrawing on resize introduced in 2.3.2
2636 - fixed multiple bugs in wxExecute() with IO redirection
2637 - refresh the buttons properly when the window is resized (Hans Van Leemputten)
2638 - huge (40*) speed up in wxMask::Create()
2639 - changing wxWidgets styles also changes the underlying Windows window style
2640 - wxTreeCtrl supports wxTR_HIDE_ROOT style (George Policello)
2641 - fixed flicker in wxTreeCtrl::SetItemXXX()
2642 - fixed redraw problems in dynamically resized wxStaticText
2643 - improvements to wxWidgets applications behaviour when the system colours
2644   are changed
2645 - choose implicit parent for the dialog boxes better
2646 - fixed wxProgressDialog for ranges > 65535
2647 - wxSpinButton and wxSpinCtrl now support full 32 bit range (if the version
2648   of comctl32.dll installed on the system supports it)
2649 - wxFontEnumerator now returns all fonts, not only TrueType ones
2650 - bugs in handling wxFrame styles (border/caption related) fixed
2651 - showing a dialog from EVT_RADIOBUTTON handler doesn't lead to an infinite
2652   recursion any more
2653 - wxTextCtrl with wxTE_RICH flag scrolls to the end when text is appended to it
2654 - the separators are not seen behind the controls added to the toolbar any more
2655 - wxLB_SORT style can be used with wxCheckListBox
2656 - wxWindowDC and wxClientDC::GetSize() works correctly now
2657 - Added wxTB_NODIVIDER and wxTB_NOALIGN so native toolbar can be used in FL
2658 - Multiline labels in buttons are now supported (simply use "\n" in the label)
2659 - Implemented wxMouseCaptureChangedEvent and made wxGenericDragImage check it
2660   has the capture before release it.
2661 - fixed bugs in multiple selection wxCheckListBox
2662 - default button handling is now closer to expected
2663 - setting tooltips for wxSlider now works
2664 - disabling a parent window also disables all of its children (as in wxGTK)
2665 - multiple events avoided in wxComboBox
2666 - tooltip asserts avoided for read-only wxComboBox
2667 - fixed a race condition during a thread exit and a join
2668 - fixed a condition where a thread can hang during message/event processing
2669 - increased space between wxRadioBox label and first radio button
2670 - don't fail to register remaining window classes if one fails to register
2671 - wxFontDialog effects only turned on if a valid colour was
2672   provided in wxFontData
2673 - Added wxTE_LEFT, wxTE_CENTRE and wxTE_RIGHT flags for text control alignment.
2674 - Bitmap printing uses 24 bits now, not 8.
2675
2676 wxGTK:
2677
2678 - wxDirDialog now presents the file system in standard Unix way
2679 - wxButton now honours wxBU_EXACTFIT
2680 - wxStaticBox now honours wxALIGN_XXX styles
2681 - added support for non alphanumeric simple character accelerators ('-', '=')
2682 - new behaviour for wxWindow::Refresh() as it now produces a delayed refresh.
2683   Call the new wxWindow::Update() to force an immediate update
2684 - support for more SGI hardware (12-bit mode among others)
2685 - fixed wxDC::Blit() to honour source DC's logical coordinates
2686 - implemented wxIdleEvent::RequestMore() for simple background tasks
2687 - implemented wxChoice::Delete()
2688 - fixed bad memory leak in wxFileDialog (Chris Elliott)
2689 - made internal GC pool dynamically growable
2690 - added GTK+ 2 and Unicode support
2691
2692 wxMotif:
2693
2694 - improved colour settings return values (Ian Brown)
2695 - improved border style handling for wxStaticText (Ian Brown)
2696 - improved toolbar control alignment
2697 - implemented wxSpinButton
2698 - implemented wxCheckListBox
2699 - fixed wxSpinCtrl and wxStaticLine when used with sizers
2700 - wxStaticBitmap now shows transparent icons correctly
2701
2702 wxX11:
2703
2704 - added generic MDI implementation (Hans Van Leemputten)
2705 - first cut at wxSocket support (not yet working)
2706
2707 wxMac:
2708
2709 - Many improvements
2710
2711 wxOS2:
2712
2713 - First alpha-quality release
2714
2715 wxHTML:
2716
2717 - fixed wxHtmlHelpController's cache files handling on big endian machines
2718 - added blocking and redirecting capabilities to wxHtmlWindow via
2719   wxHtmlWindow::OnOpeningURL()
2720 - fixed alignment handling in tables
2721 - fixed <font face="..."> handling to be case insensitive
2722
2723 2.3.2
2724 -----
2725
2726 New port: wxUniv for Win32/GTK+ is now included in the distribution.
2727
2728 wxBase:
2729
2730 - wxRegEx class added
2731 - wxGetDiskSpace() function added (Jonothan Farr, Markus Fieber)
2732 - wxTextBuffer and wxTextFile(wxStream) added (Morten Hanssen)
2733 - more fixes to wxMBConv classes. Conversion to and from wchar_t now works with
2734   glibc 2.2 as well as with glibc 2.1. Unix version now checks for iconv()'s
2735   capabilities at runtime instead of in the configure script.
2736
2737 All (GUI):
2738
2739 - support for virtual list control added
2740 - column images in report mode of the list control
2741 - wxFindReplaceDialog added (based on work of Markus Greither)
2742 - wxTextCtrl::SetMaxLength() added (wxMSW/wxGTK)
2743 - polygon support in wxRegion (Klaas Holwerda)
2744 - wxStreamToTextRedirector to allow easily redirect cout to wxTextCtrl added
2745 - fixed bug with using wxExecute() to capture huge amounts of output
2746 - new wxCalendarCtrl styles added (Søren Erland Vestø)
2747 - wxWizard changes: loading from WXR support, help button (Robert Cavanaugh)
2748 - wxDirSelector() added (Paul A. Thiessen)
2749 - wxGrid cell editing veto support (Roger Gammans)
2750 - wxListCtrl ITEM_FOCUSED event added
2751 - support for ICO files in wxImage added (Chris Elliott)
2752 - improvements to wxDragImage (Chuck Messenger)
2753
2754 wxMSW:
2755
2756 - support for the DBCS fonts (CP 932, 936, 949, 950) (Nathan Cook)
2757 - new library naming convention under VC++ -- please change your application
2758   project files
2759
2760 wxGTK:
2761
2762 - fixed popup menu positioning bug
2763 - fixed the edit function for wxListCtrl (Chuck Messenger)
2764 - fixed the key-hitting events for wxListCtrl and wxTreeCtrl, so they
2765   correctly return the key which was pressed (Chuck Messenger)
2766
2767 wxMac:
2768
2769 - support for configuration and build under Mac OS X using the Apple Developer
2770   Tools
2771
2772 wxHTML:
2773
2774 - new HTML parser with correct parsing of character entities and fixes
2775   to tags parsing
2776 - added support for animated GIFs
2777
2778 2.3.1
2779 -----
2780
2781 wxBase:
2782
2783 - Fixes for gcc 3.0
2784 - Fixed new charset detection code
2785 - ODBC Informix fixes (submitted by Roger Gammans)
2786 - Added ODBC date support to wxVariant
2787 - Added wxDir::Traverse
2788 - Added wxSingleInstanceChecker class
2789 - Removed redundant wxDebugContext functions using C++ streams,
2790   so now standard stream usage should be unnecessary
2791
2792 All (GUI):
2793
2794 - Added wxDbGrid class for displaying ODBC tables
2795 - Added EVT_GRID_EDITOR_CREATED and wxGridEditorCreatedEvent so the
2796   user code can get access to the edit control when it is created, (to
2797   push on a custom event handler for example)
2798 - Added wxTextAttr class and SetStyle, SetDefaultStyle and
2799   GetDefaultStyle methods to wxTextCtrl
2800 - Added wxSingleInstanceChecker
2801 - Improvements to Tex2RTF
2802 - Added Paul and Roger Gammans' grid controls
2803 - Bug in wxDocument::Save logic corrected, whereby Save didn't save when not
2804   first-time saved
2805 - Fixed memory leak in textcmn.cpp
2806 - Various wxXML enhancements
2807 - Removed wxCLIP_CHILDREN style from wxSplitterWindow
2808 - Fixed memory leak in DoPrint, htmprint.cpp
2809 - Fixed calendar sample bug with using wxCommandEvent::GetInt()
2810   instead of GetId()
2811 - Added wxDbGrid combining wxODBC classes with wxGrid
2812 - Added more makefiles and project files for contrib hierarchy
2813
2814 wxMSW:
2815
2816 - Fixed wxApp::ProcessMessage so controls don't lose their
2817   accelerators when the accelerators are redefined elsewhere
2818 - Accelerators consisting of simple keystrokes (without control,
2819   alt or shift) now work
2820 - Compile fixes for Watcom C++ added
2821 - Compile fixes for Cygwin 1.0 added
2822 - Use SetForegroundWindow() in wxWindow::Raise() instead of BringWindowToTop()
2823 - Replaced wxYield() call in PopupMenu() by a much safer
2824   wxYieldForCommandsOnly() - fixes tree ctrl popup menu bug and other ones
2825 - Enter processing in wxSpinCtrl fixed
2826 - Fixed bug in determining the best listbox size
2827 - Fix for wxFrame's last focus bug
2828 - We now send iconize events
2829 - Fixed wxFrame::SetClientSize() with toolbar bug
2830 - Added mousewheel processing
2831 - Added wxSystemSettings::Get/SetOption so we can configure
2832   wxWidgets at run time; used this to implement no-maskblt option
2833   in wxDC
2834 - Fixed bug when using MDIS_ALLCHILDSTYLES style: so now MDI
2835   child frame styles are honoured
2836
2837 wxGTK:
2838
2839 - Fixed slider rounding bug
2840 - Added code to set wxFont's default encoding to wxLocale::GetSystemEncoding()
2841 - We now send iconize events
2842 - Fix for discrepancies between wxNotebookEvent and wxNotebook
2843   GetSelection() results
2844
2845 2.3.0
2846 -----
2847
2848 wxBase:
2849
2850 - fixed problem with wxURL when using static version of the library
2851 - wxZipFSHandler::FindFirst() and FindNext() now correctly list directories
2852 - wxMimeTypesManager now can create file associations too (Chris Elliott)
2853 - wxCopyFile() respects the file permissions (Roland Scholz)
2854 - wxFTP::GetFileSize() added (Søren Erland Vestø)
2855 - wxDateTime::IsSameDate() bug fixed
2856 - wxTimeSpan::Format() now behaves more as expected, see docs
2857 - wxLocale now provides much more convenient API for setting language and
2858   detecting current system language. New API is more abstracted and truly
2859   cross-platform, independent of underlying C runtime library.
2860
2861 All (GUI):
2862
2863 - new wxToggleButton class (John Norris, Axel Schlueter)
2864 - wxCalendarCtrl not highlighting the date with time part bug fixed
2865 - wxADJUST_MINSIZE sizer flag added
2866 - FindOrCreateBrush/Pen() bug fix for invalid colour values
2867 - new wxXPMHandler for reading and writing XPM images
2868 - added new (now recommended) API for conversion between wxImage and wxBitmap
2869   (wxBitmap::ConvertToImage() and wxBitmap::wxBitmap(wxImage&) instead of
2870   wxImage methods and ctor)
2871 - ODBC classes now support DB2, Interbase, and Pervasive SQL
2872 - ODBC documentation complete!!
2873 - ODBC classes have much Unicode support added, but not complete
2874 - ODBC experimental BLOB support added, but not completely tested
2875 - ODBC NULL column support completed (Roger/Paul Gammans)
2876 - ODBC All "char *" and char arrays removed and replaced with wxString use
2877
2878 wxMSW:
2879
2880 - threads: bug in wxCondition::Broadcast fixed (Pieter van der Meulen)
2881 - fixed bug in MDI children flags (mis)handling
2882 - it is possible to compile wxCHMHelpController with compilers
2883   other than Visual C++ now and hhctrl.ocx is loaded at runtime
2884
2885 wxGTK:
2886
2887 - added support for wchar_t (wxUSE_WCHAR_T) under Unix
2888
2889 wxHTML:
2890
2891 - mew feature, wxHtmlProcessor for on-the-fly modification of HTML markup
2892 - visual enhancements to contents panel of wxHtmlHelpController
2893
2894 2.2.0
2895 -----
2896
2897 wxBase:
2898
2899 - Fixed bug with directories with trailing (back)slashes in wxPathExists
2900 - wxString: added wxArrayString::operator==() and !=()
2901 - Fixes for wxCmdLineParser
2902 - Added wxGetLocalTimeMillis
2903 - Completed Czech translations
2904 - Some stream corrections
2905 - added missing consts to wxPoint operators
2906 - wxDateTime ParseFormat fixes
2907 - wxFile::Open(write_append) will create file if it doesn't exist
2908 - small fixes to MIME mailcap test command handling, more MIME tests in the sample
2909
2910 All (GUI):
2911
2912 - wxGenericDragImage now allows virtual image drawing, and
2913   flicker-free dragging is now possible
2914 - Added wxPrinter::GetLastError
2915 - Fixed wxLogGui reentrancy problem
2916 - Paper names now translated
2917 - wxGrid fixes
2918 - Generic validator now caters for more cases (integers in
2919   wxTextCtrl, strings in wxChoice, wxComboBox)
2920 - Fixed crash when docview On... functions return FALSE. Show
2921   error message when an non-existent filename is typed into the Open
2922   File dialog.
2923 - Corrected Baltic font encoding handling
2924 - wxImage: enhanced TIFF code, added new platform-independent BMP
2925   writing code
2926 - wxKeyEvent::GetKeyCode() and HasModifiers() added and documented
2927 - Fixed wxPropertyForm crashes in sample
2928 - wxWizard now calls TransferDataFromWindow() before calling
2929   wxWizardPage::GetNext() fixing an obvious bug
2930
2931 wxMSW:
2932
2933 - wxWindow::GetCharWidth/Height now calculated accurately.
2934   This will affect all .wxr dialog resources, so for
2935   backward compatibility, please set
2936   wxDIALOG_UNIT_COMPATIBILITY to 1 in setup.h
2937 - wxListCtrl: set item text in LIST_ITEM_ACTIVATED events
2938 - wxTextCtrl: implemented setting colours for rich edit controls
2939 - wxColour now accepts both grey and gray
2940 - BC++ DLL compilation fixed
2941 - Watcom C++ makefiles improved for JPEG and TIFF compilation
2942 - Fixed submenu accelerator bug
2943 - Fixed dialog focus bug (crash if the previous window to have
2944   the focus was destroyed before the dialog closed)
2945 - Too-small default wxTextCtrl height fixed
2946 - fixed "missing" initial resize of wxMDIChildFrame
2947 - wxFrame restores focus better
2948 - Now ignore wxTHICK_FRAME in wxWindow constructor: only relevant to
2949   frames and dialogs, interferes with other window styles otherwise
2950   (sometimes you'd get a thick frame in a subwindow)
2951 - wxTextCtrl insertion point set to the beginning of the control by SetValue
2952 - Fix so wxMDIParentFrame is actually shown when Show(TRUE) is called.
2953 - wxFileDialog: adjusts struct size if there's an error (struct
2954   sizes can be different on different versions of Windows)
2955 - wxImageList::GetSize() documented and added to wxMSW
2956 - fixed default dialog style to make them non resizeable again
2957 - fixed wxFrame::IsShown() which always returned TRUE before
2958
2959 wxGTK:
2960
2961 - Please see docs/gtk/changes.txt.
2962
2963 wxMotif:
2964
2965 - Small compilation fixes
2966
2967 Documentation:
2968
2969 - wxCaret documented
2970
2971 2.1.16
2972 ------
2973
2974 wxBase:
2975
2976 All (GUI):
2977
2978 wxMSW:
2979
2980 - Various bug fixes
2981 - Added wxCHMHelpController, for invoking MS HTML Help
2982   files. This works under VC++ only
2983 - Modal dialog handling improved
2984 - Printer dialog now modal
2985
2986 wxGTK:
2987
2988 - Various bug fixes
2989
2990 wxMotif:
2991
2992 - Various bug fixes
2993
2994 2.1.15
2995 ------
2996
2997 Documentation:
2998
2999 - Added docs/tech for technical notes
3000
3001 File hierarchy:
3002
3003 - Started new contrib hierarchy that mirrors
3004   the main lib structure; moved OGL and MMedia into it
3005
3006 wxBase:
3007
3008 - wxSocket support
3009 - wxDateTime replaces and extends old wxDate and wxTime classes (still
3010   available but strongly deprecated) with many new features
3011 - wxLongLong class provides support for (signed) 64 bit integers
3012 - wxCmdLineParser class for parsing the command line (supporting short and
3013   long options, switches and parameters of different types)
3014 - it is now possible to build wxBase under Win32 (using VC++ only so far)
3015   and BeOS (without thread support yet)
3016 - wxThread class modified to support both detached and joinable threads, also
3017   added new GetCPUCount() and SetConcurrency() functions (useful under Solaris
3018   only so far)
3019 - wxDir class for enumerating files in a directory
3020 - wxLog functions are now (more) MT-safe
3021 - wxStopWatch class, timer functions have more chances to return correct
3022   results for your platform (use ANSI functions where available)
3023 - wxString::ToLong, ToULong, ToDouble methods and Format() static one added
3024 - buffer overflows in wxString and wxLog classes fixed (if snprintf() function
3025   is available)
3026 - wxArray::RemoveAt() replaces deprecated wxArray::Remove(index)
3027
3028 all (GUI):
3029
3030 - Added wxImage::Rotate.
3031 - new wxCalendarCtrl class for picking a date interactively
3032 - wxMenu(Bar)::Insert() and Remove() functions for dynamic menu management
3033 - wxToolBar supports arbitrary controls (not only buttons) and can be
3034   dynamically changed (Delete/Insert functions)
3035 - vertical toolbars supported by MSW and GTK native wxToolBar classes
3036 - wxTreeCtrl and wxListCtrl allow setting colour/fonts for individual items
3037 - "file open" dialog allows selecting multiple files at once (contributed by
3038   John Norris)
3039 - wxMimeTypesManager uses GNOME/KDE MIME database to get the icons for the
3040   MIME types if available (Unix only)
3041 - wxDC::DrawRotatedText() (based on contribution by Hans-Joachim Baader)
3042 - TIFF support added (libtiff required and included in the distribution)
3043 - PCX files can now be written (256 and 24 bits)
3044 - validators may work recursively if wxWS_EX_VALIDATE_RECURSIVELY is set
3045 - wxScrolledWindow now has keyboard interface
3046 - wxTextEntryDialog may be used for entering passwords (supports wxTE_PASSWORD)
3047 - added wxEncodingConverter and improved wxFontMapper
3048   for dealing with conversions between different encodings,
3049   charsets support in wxLocale and wxHTML
3050 - wxDragImage class added
3051 - samples/help improved to show standard and advanced HTML help
3052   controllers, as well as native help
3053 - moved wxTreeLayout class to main lib
3054
3055 wxMSW:
3056
3057 - wxFrame::MakeFullScreen added.
3058 - support for enhanced metafiles added, support for copying/pasting metafiles
3059   (WMF and enhanced ones) fixed/added.
3060 - implemented setting colours for push buttons
3061 - wxStatusBar95 may be now used in dialogs, panels (not only frames) and can be
3062    positioned along the top of the screen and not only at the bottom
3063 - wxTreeCtrl::IsVisible() bug fixed (thanks to Gary Chessun)
3064 - loading/saving big (> 32K) files in wxTextCtrl works
3065 - tooltips work with wxRadioBox
3066 - wxBitmap/wxIcon may be constructed from XPM included into a program, as in
3067   Unix ports
3068 - returning FALSE from OnPrintPage() aborts printing
3069 - VC++ makefiles and project files made (mostly) consistent
3070 - wxSetCursorEvent added
3071
3072 wxGTK:
3073
3074 - wxFontMapper endless recursion bug (on some systems) fixed
3075 - wxGTK synthesizes wxActivateEvents
3076 - UpdateUI handlers may be used with wxTextCtrl
3077
3078 wxMotif:
3079
3080 - wxMenu::Enable works
3081 - wxToolBar bugs fixed
3082 - OGL samples made to work again
3083
3084 wxHTML:
3085
3086 - almost complete rewrite of wxHtmlHelpController,
3087   including faster search, bookmarks, printing, setup dialog
3088   and cross-platform binary compatible .cached files for faster
3089   loading of large helpbooks, case insensitive search
3090   split into 3 parts: wxHtmlHelpData, Frame and Controller
3091 - added support for charsets and <meta> tag
3092 - added support for font faces and justified paragraphs,
3093   taken some steps to prepare wxHTML for frames
3094 - added dynamic pushing/popping of wxHtmlParser tag handlers
3095 - improved HTML printing
3096 - added extensive table of HTML characters substitutions (&nbsp; etc.)
3097 - fixed wxHtmlWindow flickering, several minor bugfixes
3098 - added some tags: <address>, <code>, <kbd>, <samp>, <small>, <big>,
3099   fixed handling of relative and absolute font sizes in <font size>
3100
3101
3102 NOTE: for changes after wxWidgets 2.1.0 b4, please see the CVS
3103 change log.
3104
3105 2.1.0, b4, May 9th 1999
3106 -----------------------
3107
3108 wxGTK:
3109
3110 - JPEG support added.
3111 - Many fixes and changes not thought worth mentioning in this file :-)
3112
3113 wxMSW:
3114
3115 - wxNotebook changes: can add image only; wxNB_FIXEDWIDTH added;
3116   SetTabSize added.
3117 - JPEG support added.
3118 - Fixes for Cygwin compilation.
3119 - Added wxGA_SMOOTH and wxFRAME_FLOAT_ON_PARENT styles.
3120 - Many fixes people didn't tell this file about.
3121
3122 wxMotif:
3123
3124
3125 General:
3126
3127 - Some changes for Unicode support, including wxchar.h/cpp.
3128
3129
3130 2.0.1 (release), March 1st 1999
3131 -------------------------------
3132
3133 wxGTK:
3134
3135 - wxGLCanvas fixes.
3136 - Slider/spinbutton fixes.
3137
3138 wxMSW:
3139
3140 - Fixed problems with <return> in dialogs/panels.
3141 - Fixed window cursor setting.
3142 - Fixed toolbar sizing and edge-clipping problems.
3143 - Some makefile fixes.
3144
3145 wxMotif:
3146
3147 - None.
3148
3149 General:
3150
3151 - Added wxUSE_SOCKETS.
3152 - More topic overviews.
3153 - Put wxPrintPaperType, wxPrintPaperDatabase into
3154   prntbase.h/cpp for use in non-PostScript situations
3155   (e.g. Win16 wxPageSetupDialog).
3156
3157
3158 Beta 5, February 18th 1999
3159 --------------------------
3160
3161 wxGTK:
3162
3163 - wxExecute improved.
3164
3165 wxMSW:
3166
3167 - Fixed wxWindow::IsShown (::IsWindowVisible doesn't behave as
3168   expected).
3169 - Changed VC++ makefiles (.vc) so that it's possible to have
3170   debug/release/DLL versions of the library available simultaneously,
3171   with names wx.lib, wx_d.lib, wx200.lib(dll), wx200_d.lib(dll).
3172 - Added BC++ 5 IDE files and instructions.
3173 - Fixed wxChoice, wxComboBox constructor bugs (m_noStrings initialisation).
3174 - Fixed focus-related crash.
3175
3176 wxMotif:
3177
3178 - Cured asynchronous wxExecute crash.
3179 - Added repaint event handlers to wxFrame, wxMDIChildFrame.
3180
3181 General:
3182
3183 - wxLocale documented.
3184 - Added include filenames to class reference.
3185 - wxHelpController API changed: SetBrowser becomes SetViewer,
3186   DisplaySection works for WinHelp, help sample compiles under Windows
3187   (though doesn't display help yet).
3188
3189 Beta 4, February 12th 1999
3190 --------------------------
3191
3192 wxGTK:
3193
3194 - Miscellaneous fixes.
3195
3196 wxMSW:
3197
3198 - Makefiles for more compilers and samples; Cygwin makefiles
3199   rationalised.
3200 - Added VC++ project file for compiling wxWidgets as DLL.
3201
3202 wxMotif:
3203
3204 - Added OnEraseBackground invocation.
3205 - Added wxRETAINED implementation for wxScrolledWindow.
3206 - Cured scrolling display problem by adding XmUpdateDisplay.
3207 - Tried to make lex-ing in the makefile more generic (command line
3208   syntax should apply to both lex and flex).
3209 - Changed file selector colours for consistency (except for buttons:
3210   crashes for some reason).
3211 - Fixed wxMotif version of wxImage::ConvertToBitmap (used new instead
3212   of malloc, which causes memory problems).
3213
3214 General:
3215
3216 - Further doc improvements.
3217 - wxGenericValidator added.
3218 - Added wxImageModule to image.cpp, so adds/cleans up standard handlers
3219   automatically.
3220
3221 Beta 3, January 31st 1999
3222 -------------------------
3223
3224 wxGTK:
3225
3226 - wxClipboard/DnD API changes (still in progress).
3227 - wxToolTip class added.
3228 - Miscellaneous fixes.
3229
3230 wxMSW:
3231
3232 - wxRegConfig DeleteAll bug fixed.
3233 - Makefiles for more compilers.
3234 - TWIN32 support added.
3235 - Renamed VC++ makefiles from .nt to .vc, and
3236   factored out program/library settings.
3237 - Fixed wxIniConfig bug.
3238
3239 wxMotif:
3240
3241 - A few more colour fixes.
3242 - wxGLCanvas and OpenGL samples working.
3243 - Some compiler warnings fixed.
3244 - wxChoice crash fix.
3245 - Dialog Editor starting to work on Motif.
3246
3247 General:
3248
3249 - wxBusyCursor class added.
3250 - Added samples/dde.
3251 - More doc improvements, incl. expanding docs/html/index.htm.
3252
3253 Beta 2, January 1999
3254 --------------------
3255
3256 wxGTK:
3257
3258 wxMSW:
3259
3260 - 16-bit BC++ compilation/linking works albeit without the resource system.
3261
3262 wxMotif:
3263
3264 - Cured wxScreenDC origin problem so e.g. sash window sash is drawn at
3265   the right place.
3266 - Cured some widget table clashes.
3267 - Added thread support (Robert).
3268 - wxPoem sample now works.
3269
3270 General:
3271
3272 - Rearranged documentation a bit.
3273 - Sash window uses area of first frame/dialog to paint over when drawing
3274   the dragged sash, not just the sash window itself (it clipped to the right
3275   or below).
3276 - Made resource sample use the correct Cancel button id.
3277 - Moved wxProp to main library (generic directory), created proplist
3278   sample.
3279 - Added bombs and fractal samples.
3280
3281 Beta 1, December 24th 1998
3282 --------------------------
3283
3284 wxGTK:
3285
3286 - Various
3287
3288 wxMSW, wxMotif: not in sync with this release.
3289
3290
3291 Alpha 18, December 29th 1998
3292 ----------------------------
3293
3294 wxMSW:
3295
3296 - Win16 support working again (VC++ 1.5)
3297 - Win16 now uses generic wxNotebook, wxListCtrl,
3298   wxTreeCtrl -- more or less working now, although
3299   a little work on wxNotebook is still needed.
3300   Under 16-bit Windows, get assertion when you click
3301   on a tab.
3302 - Wrote 16-bit BC++ makefiles: samples don't yet link.
3303 - Added CodeWarrior support to distribution courtesy
3304   of Stefan Csomor.
3305
3306 wxMotif:
3307
3308 - Cured scrolling problem: scrollbars now show/hide themselves
3309   without (permanently) resizing the window.
3310 - Removed some commented-out lines in wxScrolledWindow::AdjustScrollbars
3311   that disabled scrollbar paging.
3312 - Set background colour of drawing area in wxWindow, so e.g. wxListCtrl
3313   colours correctly.
3314 - Removed major bug whereby dialogs were unmanaged automatically
3315   when any button was pressed.
3316 - Fixed colours of wxWindow scrollbars, made list and text controls
3317   have a white background.
3318 - Fixed dialog colour setting.
3319 - Added settable fonts and colours for wxMenu/wxMenuBar. Now
3320   they have sensible colours by default.
3321 - Fixed a bug in wxStaticBox.
3322 - Cured wxTreeCtrl bug: now works pretty well!
3323 - Debugged DrawEllipticArc (a ! in the wrong place).
3324 - Added SetClippingRegion( const wxRegion& region ).
3325 - Added wxPoint, wxSize, wxRect versions of SetSize etc.
3326
3327 Alpha 17, November 22nd 1998
3328 ----------------------------
3329
3330 wxMSW:
3331
3332 - More documentation updates, especially for
3333   wxLayoutWindow classes and debugging facilities.
3334 - Changed wxDebugContext to use wxDebugLog instead
3335   of wxTrace.
3336 - Now supports VC++ 6.0, and hopefully BC++ 5.0.
3337   However, DLL support may be broken for BC++ since
3338   VC++ 6 required changing of WXDLLEXPORT keyword
3339   position.
3340 - Numerous miscellaneous changes.
3341
3342 wxMotif:
3343
3344 - Reimplemented MDI using wxNotebook instead of the MDI widgets, which
3345   were too buggy (probably not design for dynamic addition/removal of
3346   child frames).
3347 - Some improvements to the wxNotebook implementation.
3348 - wxToolBar now uses a bulletin board instead of a form, in an attempt
3349   to make it possible to add ordinary wxControls to a toolbar.
3350 - Cured problem with not being able to use global memory operators,
3351   by defining two more global operators, so that the delete will match
3352   the debugging implementation.
3353 - Added wxUSE_DEBUG_NEW_ALWAYS so we can distinguish between using
3354   global memory operators (usually OK) and #defining new to be
3355   WXDEBUG_NEW (sometimes it might not be OK).
3356 - Added time.cpp to makefile; set wxUSE_DATETIME to 1.
3357 - Added a parent-existence check to popup menu code to make it not crash.
3358 - Added some optimization in wxWindow::SetSize to produce less flicker.
3359   It remains to be seen whether this produces any resize bugs.
3360
3361 It's a long time since I updated this file. Previously done:
3362
3363 - wxFrame, wxDialog done.
3364 - wxScrolledWindow done (but backing pixmap not used at present).
3365 - wxBitmap done though could be tidied it up at some point.
3366 - Most basic controls are there, if not rigorously tested.
3367 - Some MDI support (menus appear on child frames at present).
3368 - wxNotebook almost done.
3369 - wxToolBar done (horizontal only, which would be easy to extend
3370   to vertical toolbars).
3371
3372 More recently:
3373
3374 - Colour and font changing done (question mark over what happens
3375   to scrollbars).
3376 - Accelerators done (for menu items and buttons). Also event loop
3377   tidied up in wxApp so that events are filtered through ProcessXEvent.
3378 - wxWindow::GetUpdateRegion should now work.
3379
3380 Alpha 16, September 8th 1998
3381 ----------------------------
3382
3383 wxMSW:
3384
3385 - Added wxSashWindow, wxSashLayoutWindow classes, and sashtest
3386   sample.
3387 - Guilhem's socket classes added, plus wxsocket sample.
3388 - A few more makefiles added.
3389 - GnuWin32/BC++ compatibility mods.
3390 - Further doc updates.
3391 - wxProp updates for correct working with wxGTK.
3392
3393 wxMotif:
3394
3395 - First start at Motif port.
3396 - Made makefiles for wxMotif source directory and minimal sample.
3397 - First go at wxApp, wxWindow, wxDialog, wxPen, wxBrush, wxFont,
3398   wxColour, wxButton, wxCheckBox, wxTextCtrl, wxStaticText,
3399   wxMenu, wxMenuItem, wxMenuBar
3400
3401 Alpha 15, August 31st 1998
3402 --------------------------
3403
3404 wxMSW:
3405
3406 - wxBitmap debugged.
3407 - wxDC::GetDepth added.
3408 - Contribution added whereby wxBitmap will be
3409   converted to DC depth if they don't match.
3410 - wxConfig API improved, documentation updated.
3411 - Printing classes name conventions cleaned up.
3412 - wxUpdateUIEvent now derives from wxCommandEvent
3413   so event can travel up the window hierarchy.
3414
3415 Alpha 14, July 31st 1998
3416 ------------------------
3417
3418 wxMSW:
3419
3420 - Toolbar API has been simplified, and now
3421   wxFrame::GetClientArea returns the available client
3422   area when toolbar, status bar etc. have been accounted for.
3423   wxFrame::CreateToolBar added in line with CreateStatusBar.
3424 - Documentation updates, incl. for wxToolBar.
3425 - New wxAcceleratorTable class plus wxFrame::SetAcceleratorTable.
3426 - Various additions from other folk, e.g. streams, wxConfig
3427   changes, wxNotebook.
3428 - Added wxDocMDIParentFrame, wxDocMDIChildFrame for doc/view.
3429
3430 Alpha 13, July 8th 1998
3431 -----------------------
3432
3433 wxMSW:
3434
3435 - Implemented wxPoint as identical to POINT on Windows, and
3436   altered wxDC wxPoint functions to use wxPoint directly in
3437   Windows functions, for efficiency.
3438 - Cured wxASSERT bug in wxStatusBar95.
3439 - #ifdefed out some bits in oleutils.cpp for compilers that
3440   don't support it.
3441 - Added some operators to wxPoint, wxSize.
3442 - Added inline wxDC functions using wxPoint, wxSize, wxRect.
3443
3444 Alpha 12, July 7th 1998
3445 -----------------------
3446
3447 wxMSW:
3448
3449 - Added wxApp::GetComCtl32Version, and wxTB_FLAT style, so can
3450   have flat toolbars on Win98 or Win95 with IE >= 3 installed.
3451
3452 Alpha 11, July 3rd 1998
3453 -----------------------
3454
3455 wxMSW:
3456
3457 - Added thread.h, thread.cpp.
3458 - Changed Enabled, Checked to IsEnabled, IsChecked in wxMenu,
3459   wxMenuBar.
3460 - Changed wxMenuItem::SetBackColor to SetBackgroundColour,
3461   SetTextColor to SetTextColour, and added or made public several
3462   wxMenuItem accessors.
3463 - Added two overloads to wxRegion::Contains. Added
3464   wxRegion::IsEmpty for a more consistent naming convention.
3465 - Added Vadim's wxDataObject and wxDropSource.
3466 - ENTER/LEAVE events now work.
3467 - Cured wxMemoryDC bug where the DC wasn't being deleted.
3468 - Cured wxGauge SetSize major bugginess.
3469 - Cured problem where if a GDI object was created on the stack,
3470   then went out of scope, then another object was selected into
3471   the DC, GDI objects would leak. This is because the assignment
3472   to e.g. wxDC::m_pen would delete the GDI object without it first
3473   being selected out of the DC. Cured by selecting the old DC object
3474   first, then doing the assignment.
3475 - Split up wxGaugeMSW, wxGauge95, wxSliderMSW, wxSlider95
3476 - Various other bug fixes and additions.
3477
3478 Generic:
3479
3480 - Major work on Dialog Editor (still plenty to go).
3481 - Expanded documentation a bit more.
3482
3483 Alpha 10, May 7th 1998
3484 ----------------------
3485
3486 wxMSW:
3487
3488 - Added desiredWidth, desiredHeight parameters to wxBitmapHandler
3489   and wxIcon functions so that you can specify what size of
3490   icon should be loaded. Probably will remain a Windows-specific thing.
3491 - wxStatusBar95 now works for MDI frames.
3492 - Toolbars in MDI frames now behave normally. They still
3493   require application-supplied positioning code though.
3494 - Changed installation instructions, makefiles and batch files
3495   for compiling with Gnu-Win32/Mingw32/EGCS. Also timercmn.cpp
3496   change to support Mingw32/EGCS. Bison now used by default.
3497
3498 Alpha 9, April 27th 1998
3499 ------------------------
3500
3501 wxMSW:
3502
3503 - Cured bug in wxStatusBar95 that caused a crash if multiple
3504   fields were used.
3505 - Added Gnu-Win32 b19/Mingw32 support by changing resource
3506   compilation and pragmas.
3507 - Cured wxMenu bug introduced in alpha 8 - didn't respond to
3508   commands because VZ changed the id setting in wxMenu::MSWCommand.
3509
3510 Generic:
3511
3512 - Corrected some bugs, such as the wxModule compilation problem.
3513 - Added Gnu-Win32 b19/Mingw32 support by changing resource
3514   compilation and pragmas.
3515 - Changed SIZEOF to WXSIZEOF.
3516
3517 Alpha 8, April 17th 1998
3518 ------------------------
3519
3520 wxMSW:
3521
3522 - Added IsNull to wxGDIObject to check if the ref data is present or not.
3523 - Added PNG handler and sample - doesn't work for 16-bit PNGs for
3524   some reason :-(
3525 - Added wxJoystick class and event handling, and simple demo.
3526 - Added simple wxWave class. Needs Stop() function.
3527 - Added wxModule (module.h/module.cpp) to allow definition
3528   of modules to be initialized and cleaned up on wxWidgets
3529   startup/exit.
3530 - Start of Mingw32 compatibility (see minimal and dialogs samples
3531   makefile.m95 files, and install.txt).
3532 - Note: Windows printing has stopped working... will investigate.
3533 VADIM'S CHANGES:
3534 - Updated wxString: bug fixes, added wxArrayString, some
3535   compatibility functions.
3536 - Updated log.h/cpp, added wxApp::CreateLogTarget.
3537 - file.h: new wxTempFile class.
3538 - defs.h: added wxSB_SIZE_GRIP for wxStatusBar95
3539 - statbr95: wxStatusBar95 control.
3540 - registry.h/cpp: wxRegKey class for Win95 registry.
3541 - listbox.cpp: corrected some bugs with owner-drawn listboxes.
3542 - wxConfig and wxFileConfig classes.
3543
3544 Generic:
3545
3546 - Added src/other/png, src/other/zlib directories.
3547 - Added samples/png.
3548 - IMPORTANT: Changed 'no id' number from 0 to -1, in wxEVT_ macros.
3549   Porters, please check particularly your wxTreeCtrl and wxListCtrl
3550   header files.
3551 - Added modules.h/cpp, config.cpp, fileconf.cpp, textfile.cpp/h.
3552
3553 Alpha 7, March 30th 1998
3554 ------------------------
3555
3556 wxMSW:
3557
3558 - Added tab classes, tab sample.
3559 - Now can return FALSE from OnInit and windows will be
3560   cleaned up properly before exit.
3561 - Improved border handling so panels don't get borders
3562   automatically.
3563 - Debugged MDI activation from Window menu.
3564 - Changes to memory debug handling, including checking for
3565   memory leaks on application exit - but see issues.txt for
3566   unresolved issues.
3567 - Added wxTaskBarIcon (taskbar.cpp/h, plus samples/taskbar)
3568   to allow maintenance of an icon in the Windows 95 taskbar
3569   tray area.
3570 - Got MFC sample working (MFC and wxWidgets in the same
3571   application), partly by tweaking ntwxwin.mak settings.
3572 - Got DLL compilation working again (VC++).
3573 - Changed wxProp/Dialog Editor filenames.
3574
3575 Generic:
3576
3577 - Added tab classes, tab sample.
3578 - Revised memory.cpp, memory.h slightly; memory.h now #defines
3579   new to WXDEBUG_NEW in DEBUG mode. Windows implementation app.cpp
3580   now checks for leaks on exit. Added memcheck sample.
3581   See src/msw/issues.txt for more details.
3582 - resource.h, resource.cpp changed to make wxDefaultResourceTable
3583   a pointer. Now initialize resource system with
3584   wxInitializeResourceSystem and wxCleanUpResourceSystem, to
3585   allow better control of memory.
3586 - wxString now derives from wxObject, to enable memory leak
3587   checking.
3588 - Added some #include fixes in various files, plus changed
3589   float to long in wxToolBar files.
3590
3591 Alpha 6, March 10th 1998
3592 ------------------------
3593
3594 wxMSW:
3595
3596 - Found stack error bug - stopped unwanted OnIdle recursion.
3597 - Removed bug in wxTreeCtrl::InsertItem I added in alpha 5.
3598 - Changed exit behaviour in wxApp/wxFrame/wxDialog. Now will
3599   check if the number of top-level windows is zero before
3600   exiting. Also, wxApp::GetTopWindow will return either
3601   m_topWindow or the first member of wxTopLevelWindows, so you
3602   don't have to call wxApp::SetTopWindow.
3603 - Added dynarray.h/dynarray.cpp (from Vadim).
3604 - Added first cut at OLE drag and drop (from Vadim). dnd sample
3605   added. Drop target only at this stage. See src/msw/ole/*.cpp,
3606   wx/include/msw/ole/*.h. WIN32 only because of UUID usage.
3607   Doesn't work with GnuWin32 - no appropriate headers e.g. for
3608   IUnknown.
3609   Doesn't work with BC++ either - crashes on program startup.
3610 - Added Vadim's owner-draw modifications - will probably remain
3611   Windows-only. This enhances wxMenu, wxListBox. See ownerdrw sample.
3612 - Added wxLB_OWNERDRAW for owner-draw listboxes.
3613 - Vadim's wxCheckListBox derives from wxListBox. See checklst sample.
3614   Doesn't entirely work for WIN16.
3615 - Vadim has added wxMenuItem as a separate file menuitem.cpp. It
3616   can also be used as an argument to wxMenu::Append, not just for
3617   internal implementation.
3618 - Some #ifdefs done for MINGW32 compilation (just alter OPTIONS
3619   in makeg95.env, together with mingw32.bat). However, resource
3620   binding is not working yet so most apps with dialogs crash.
3621
3622 Generic:
3623
3624 - Added Vadim's dynarray.h, dynarray.cpp.
3625 - Added Vadim's menuitem.cpp.
3626 - Added Windows-specific wxCheckListBox,
3627   owner-draw wxListBox, and drag-and-drop
3628   (see docs/msw/changes.txt).
3629
3630 Alpha 5, 14th February 1998
3631 --------------------------
3632
3633 wxMSW:
3634
3635 - GENERIC AND MSW-SPECIFIC CODE NOW TREATED AS TWO SEPARATE
3636   DISTRIBUTIONS. This change log will therefore now refer to
3637   the Windows-specific code only. See docs/changes.txt for generic
3638   changes.
3639 - Removed Windows-specific reference counting system (GDI
3640   resources were cleaned up in idle time) - minimal
3641   advantages now we have a wxWin reference counting system.
3642 - Added missing WXDLLEXPORT keywords so DLL compilation works
3643   again.
3644 - Removed most warnings for GnuWin32 compilation.
3645 - Added wxRegion/wxRegionIterator, but haven't yet used it in
3646   e.g. wxDC.
3647
3648 Generic:
3649
3650 - GENERIC AND MSW-SPECIFIC CODE NOW TREATED AS TWO SEPARATE
3651   DISTRIBUTIONS. This change log will therefore now refer to
3652   the generic code only. See docs/msw/changes.txt for Windows-specific
3653   changes.
3654 - Readmes, change logs and installation files now go in
3655   platform-specific directories under docs, e.g. docs/msw,
3656   docs/gtk.
3657 - Added DECLARE_APP and IMPLEMENT_APP macros so wxApp object gets
3658   created dynamically, not as a global object.
3659 - Put wxColour into wx/msw/colour.h, src/msw/colour.cpp.
3660 - Changed names of some include/wx/generic headers to be
3661   consistent and to conform to gcc pragma conventions. Also
3662   changed choicesg.cpp to choicdgg.cpp.
3663 - Added gcc pragmas.
3664 - Added gtk inclusion in include/wx headers.
3665 - Added consistent file headings to source and headers.
3666 - Removed lang.cpp, lang.h and references to wxSTR_... variables;
3667   added a few references to wxTransString.
3668 - Added operator to wxTransString that converts automatically
3669   to wxString, so we can say e.g. wxMessageBox(wxTransString("Hello"), ...).
3670 - samples/internat now works (minimally).
3671 - Added wxMouseEvent::GetPosition and
3672   wxMouseEvent::GetLogicalPosition, both returning wxPoints.
3673 - Made wxSize and wxRect contain longs not ints.
3674 - Cured some memory leaks (thanks Vadim).
3675 - Tidied up OnIdle and introduced RequestMore/MoreRequested so
3676   will only keep processing OnIdle if it returns TRUE from
3677   MoreRequested.
3678
3679 Alpha 4, 31st January 1998
3680 --------------------------
3681
3682 All:
3683
3684 - Changed wxDC functions to take longs instead of floats. GetSize now takes
3685   integer pointers, plus a version that returns a wxSize.
3686 - const keyword added to various wxDC functions.
3687 - Under Windows, wxDC no longer has any knowledge of whether
3688   an associated window is scrolled or not. Instead, the device
3689   origin is set by wxScrolledWindow in wxScrolledWindow::PrepareDC.
3690 - wxScrolledWindow applications can optionally override the virtual OnDraw
3691   function instead of using the OnPaint event handler. The wxDC passed to
3692   OnDraw will be translated by PrepareDC to reflect scrolling.
3693   When drawing outside of OnDraw, must call PrepareDC explicitly.
3694 - wxToolBarBase/wxToolBarSimple similarly changed to allow for
3695   scrolling toolbars.
3696 - Integrated wxPostScriptDC patches for 1.xx by Chris Breeze,
3697   to help printing with multiple pages.
3698 - IPC classes given base classes (wxConnectionBase etc.) which
3699   define the API used by different implementations. DDE
3700   implementation updated to use these base classes.
3701 - wxHelpInstance now separated into wxHelpControllerBase (base
3702   for all implementations), wxWinHelpController (uses standard
3703   WinHelp), wxXLPHelpController (talks to wxHelp by DDE or
3704   TCP/IP). There will be others eventually, such as
3705   wxHTMLHelpController for Microsoft (and Netscape?) HTML Help.
3706 - Added Vadim Zeitlin's wxString class plus
3707   internationalization code (gettext simulation, wxLocale, etc.).
3708   New files from Vadim:
3709   include\wx\string.h
3710   include\wx\debug.h
3711   include\wx\file.h
3712   include\wx\log.h
3713   include\wx\intl.h
3714   src\common\string.cpp
3715   src\common\log.cpp
3716   src\common\intl.cpp
3717   src\common\file.cpp
3718   No longer use GNU wxString files.
3719 - Split off file-related functions into include\wx\filefn.h and
3720   src\common\filefn.cpp.
3721 - Borland C++ support (WIN32) for main library and
3722   samples, using makefile.b32 files.
3723 - Preparation done for allowing BC++ to compile wxWin as a DLL,
3724   including changes to defs.h.
3725 - wxIntPoint removed, wxPoint is now int, and wxRealPoint
3726   introduced.
3727 - Added wxShowEvent (generated when window is being shown or
3728   hidden).
3729 - Got minimal, docview, mdi samples working for 16-bit VC++ and
3730   cured 16-bit problem with wxTextCtrl (removed global memory
3731   trick).
3732 - Updated GnuWin32 makefiles, checked minimal, mdi, docview samples.
3733
3734 Alpha 3, September 1997
3735 -----------------------
3736
3737 All:
3738
3739 - wxListCtrl, wxTreeCtrl, wxImageList classes done.
3740 - Instigated new file hierarchy, split files and classes up more logically.
3741 - PrologIO and some other utils now put into core library.
3742 - Revamped print/preview classes, added wxPageSetupDialog.
3743 - Started documentation.
3744
3745 Alpha 2, 30th April 1997
3746 ------------------------
3747
3748 All:
3749
3750 - EVT_... macros now have at least one argument, for conformance
3751   with MetroWerks compiler.
3752 - Added ids to .wxr file format.
3753 - Got Dialog Editor compiled and running again but need
3754   to extend functionality to be in line with new controls.
3755   Added dialoged\test app to allow dynamic loading of .wxr files
3756   for testing purposes.
3757 - Rewrote wxBitmap to allow installable file type
3758   handlers.
3759 - Rewrote wxBitmapButton, wxStaticBitmap to not use Fafa.
3760 - Wrote most of wxTreeCtrl and sample (need wxImageList to implement it
3761   fully).
3762 - Added back wxRadioBox.
3763 - Tidied up wx_main.cpp, wxApp class, putting PenWin code in
3764   a separate file.
3765
3766 Alpha 1, 5th April 1997
3767 -----------------------
3768
3769 Generic:
3770
3771 At this point, the following has been achieved:
3772
3773 - A lot, but not all, of the code has been revamped for better
3774   naming conventions, protection of data members, and use of
3775   wxString instead of char *.
3776 - Obsolete functionality deleted (e.g. default wxPanel layout,
3777   old system event system) and code size reduced.
3778 - Class hierarchy changed (see design doc) - base classes such
3779   as wxbWindow now removed.
3780 - No longer includes windows.h in wxWin headers, by using stand-in
3781   Windows types where needed e.g. WXHWND.
3782 - PrologIO revised.
3783 - wxScrolledWindow, wxStatusBar and new MDI classes added.
3784   MDI is now achieved using separate classes, not window styles.
3785 - wxSystemSettings added, and made use of to reflect standard
3786   Windows settings.
3787 - SetButtonFont/SetLabelFont replaced by SetFont; font and colour
3788   settings mucho rationalised.
3789 - All windows are now subclassed with the same window proc to make
3790   event handling far more consistent. Old internal wxWnd and derived
3791   classes removed.
3792 - API for controls revised, in particular addition of
3793   wxValidator parameters and removal of labels for some controls.
3794 - 1 validator written: see examples/validate.
3795 - Event table system introduced (see most samples and
3796   wx_event.cpp/ProcessEvent, wx_event.h). wxEvtHandler
3797   made more flexible, with Push/PopEventHandler allowing a chain
3798   of event handlers.
3799 - wxRadioBox removed - will be added back soon.
3800 - Toolbar class hierarchy revised:
3801   wxToolBarBase
3802   wxToolBarSimple (= old wxToolBar)
3803   wxToolBar95 (= old wxButtonBar under Win95)
3804   wxToolBarMSW (= old wxButtonBar under WIN16/WIN32)
3805 - Constraint system debugged somewhat (sizers now work properly).
3806 - wxFileDialog, wxDirDialog added; other common dialogs now
3807   have class equivalents. Generic colour and font dialogs
3808   rewritten to not need obsolete panel layout.
3809 - .wxr resource system partially reinstated, though needs
3810   an integer ID for controls. Hopefully the resource system
3811   will be replaced by something better and more efficient
3812   in the future.
3813 - Device contexts no longer stored with window and accessed
3814   with GetDC - use wxClientDC, wxPaintDC, wxWindowDC stack
3815   variables instead.
3816 - wxSlider uses trackbar class under Win95, and wxSL_LABELS flag
3817   determines whether labels are shown. Other Win95-specific flags
3818   introduced, e.g. for showing ticks.
3819 - Styles introduced for dealing with 3D effects per window, for
3820   any window: all Win95 3D effects supported, plus transparent windows.
3821 - Major change to allow 3D effect support without CTL3D, under
3822   Win95.
3823 - Bitmap versions of button and checkbox separated out into new
3824   classes, but unimplemented as yet because I intend to remove
3825   the need for Fafa - it apparently causes GPFs in Win95 OSR 2.
3826 - utils/wxprop classes working (except maybe wxPropertyFormView)
3827   in preparation for use in Dialog Editor.
3828 - GNU-WIN32 compilation verified (a month or so ago).