1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440
|
"""GNUmed phrasewheel.
A class, extending wx.TextCtrl, which has a drop-down pick list,
automatically filled based on the inital letters typed. Based on the
interface of Richard Terry's Visual Basic client
This is based on seminal work by Ian Haywood <ihaywood@gnu.org>
"""
############################################################################
__author__ = "K.Hilbert <Karsten.Hilbert@gmx.net>, I.Haywood, S.J.Tan <sjtan@bigpond.com>"
__license__ = "GPL"
# stdlib
import string, types, time, sys, re as regex, os.path
# 3rd party
import wx
import wx.lib.mixins.listctrl as listmixins
# GNUmed specific
if __name__ == '__main__':
sys.path.insert(0, '../../')
from Gnumed.pycommon import gmTools
from Gnumed.pycommon import gmDispatcher
import logging
_log = logging.getLogger('macosx')
color_prw_invalid = 'pink'
color_prw_partially_invalid = 'yellow'
color_prw_valid = None # this is used by code outside this module
#default_phrase_separators = r'[;/|]+'
default_phrase_separators = r';+'
default_spelling_word_separators = r'[\W\d_]+'
# those can be used by the <accepted_chars> phrasewheel parameter
NUMERIC = '0-9'
ALPHANUMERIC = 'a-zA-Z0-9'
EMAIL_CHARS = "a-zA-Z0-9\-_@\."
WEB_CHARS = "a-zA-Z0-9\.\-_/:"
_timers = []
#============================================================
def shutdown():
"""It can be useful to call this early from your shutdown code to avoid hangs on Notify()."""
global _timers
_log.info('shutting down %s pending timers', len(_timers))
for timer in _timers:
_log.debug('timer [%s]', timer)
timer.Stop()
_timers = []
#------------------------------------------------------------
class _cPRWTimer(wx.Timer):
def __init__(self, *args, **kwargs):
wx.Timer.__init__(self, *args, **kwargs)
self.callback = lambda x:x
global _timers
_timers.append(self)
def Notify(self):
self.callback()
#============================================================
# FIXME: merge with gmListWidgets
class cPhraseWheelListCtrl(wx.ListCtrl, listmixins.ListCtrlAutoWidthMixin):
def __init__(self, *args, **kwargs):
try:
kwargs['style'] = kwargs['style'] | wx.LC_REPORT | wx.LC_SINGLE_SEL | wx.SIMPLE_BORDER
except: pass
wx.ListCtrl.__init__(self, *args, **kwargs)
listmixins.ListCtrlAutoWidthMixin.__init__(self)
#--------------------------------------------------------
def SetItems(self, items):
self.DeleteAllItems()
self.__data = items
pos = len(items) + 1
for item in items:
row_num = self.InsertStringItem(pos, label=item['list_label'])
#--------------------------------------------------------
def GetSelectedItemData(self):
sel_idx = self.GetFirstSelected()
if sel_idx == -1:
return None
return self.__data[sel_idx]['data']
#--------------------------------------------------------
def get_selected_item(self):
sel_idx = self.GetFirstSelected()
if sel_idx == -1:
return None
return self.__data[sel_idx]
#--------------------------------------------------------
def get_selected_item_label(self):
sel_idx = self.GetFirstSelected()
if sel_idx == -1:
return None
return self.__data[sel_idx]['list_label']
#============================================================
# base class for both single- and multi-phrase phrase wheels
#------------------------------------------------------------
class cPhraseWheelBase(wx.TextCtrl):
"""Widget for smart guessing of user fields, after Richard Terry's interface.
- VB implementation by Richard Terry
- Python port by Ian Haywood for GNUmed
- enhanced by Karsten Hilbert for GNUmed
- enhanced by Ian Haywood for aumed
- enhanced by Karsten Hilbert for GNUmed
@param matcher: a class used to find matches for the current input
@type matcher: a L{match provider<Gnumed.pycommon.gmMatchProvider.cMatchProvider>}
instance or C{None}
@param selection_only: whether free-text can be entered without associated data
@type selection_only: boolean
@param capitalisation_mode: how to auto-capitalize input, valid values
are found in L{capitalize()<Gnumed.pycommon.gmTools.capitalize>}
@type capitalisation_mode: integer
@param accepted_chars: a regex pattern defining the characters
acceptable in the input string, if None no checking is performed
@type accepted_chars: None or a string holding a valid regex pattern
@param final_regex: when the control loses focus the input is
checked against this regular expression
@type final_regex: a string holding a valid regex pattern
@param navigate_after_selection: whether or not to immediately
navigate to the widget next-in-tab-order after selecting an
item from the dropdown picklist
@type navigate_after_selection: boolean
@param speller: if not None used to spellcheck the current input
and to retrieve suggested replacements/completions
@type speller: None or a L{enchant Dict<enchant>} descendant
@param picklist_delay: this much time of user inactivity must have
passed before the input related smarts kick in and the drop
down pick list is shown
@type picklist_delay: integer (milliseconds)
"""
def __init__ (self, parent=None, id=-1, *args, **kwargs):
# behaviour
self.matcher = None
self.selection_only = False
self.selection_only_error_msg = _('You must select a value from the picklist or type an exact match.')
self.capitalisation_mode = gmTools.CAPS_NONE
self.accepted_chars = None
self.final_regex = '.*'
self.final_regex_error_msg = _('The content is invalid. It must match the regular expression: [%%s]. <%s>') % self.__class__.__name__
self.navigate_after_selection = False
self.speller = None
self.speller_word_separators = default_spelling_word_separators
self.picklist_delay = 150 # milliseconds
# state tracking
self._has_focus = False
self._current_match_candidates = []
self._screenheight = wx.SystemSettings.GetMetric(wx.SYS_SCREEN_Y)
self.suppress_text_update_smarts = False
self.__static_tt = None
self.__static_tt_extra = None
# don't do this or the tooltip code will fail: self.data = {}
# do this instead:
self._data = {}
self._on_selection_callbacks = []
self._on_lose_focus_callbacks = []
self._on_set_focus_callbacks = []
self._on_modified_callbacks = []
try:
kwargs['style'] = kwargs['style'] | wx.TE_PROCESS_TAB | wx.TE_PROCESS_ENTER
except KeyError:
kwargs['style'] = wx.TE_PROCESS_TAB | wx.TE_PROCESS_ENTER
super(cPhraseWheelBase, self).__init__(parent, id, **kwargs)
self.__my_startup_color = self.GetBackgroundColour()
self.__non_edit_font = self.GetFont()
global color_prw_valid
if color_prw_valid is None:
color_prw_valid = wx.SystemSettings_GetColour(wx.SYS_COLOUR_WINDOW)
self.__init_dropdown(parent = parent)
self.__register_events()
self.__init_timer()
#--------------------------------------------------------
# external API
#---------------------------------------------------------
def GetData(self, can_create=False):
"""Retrieve the data associated with the displayed string(s).
- self._create_data() must set self.data if possible (/successful)
"""
if len(self._data) == 0:
if can_create:
self._create_data()
return self._data
#---------------------------------------------------------
def SetText(self, value=u'', data=None, suppress_smarts=False):
if value is None:
value = u''
if (value == u'') and (data is None):
self._data = {}
super(cPhraseWheelBase, self).SetValue(value)
return
self.suppress_text_update_smarts = suppress_smarts
if data is not None:
self.suppress_text_update_smarts = True
self.data = self._dictify_data(data = data, value = value)
super(cPhraseWheelBase, self).SetValue(value)
self.display_as_valid(valid = True)
# if data already available
if len(self._data) > 0:
return True
# empty text value ?
if value == u'':
# valid value not required ?
if not self.selection_only:
return True
if not self._set_data_to_first_match():
# not found
if self.selection_only:
self.display_as_valid(valid = False)
return False
return True
#--------------------------------------------------------
def set_from_instance(self, instance):
raise NotImplementedError('[%s]: set_from_instance()' % self.__class__.__name__)
#--------------------------------------------------------
def set_from_pk(self, pk):
raise NotImplementedError('[%s]: set_from_pk()' % self.__class__.__name__)
#--------------------------------------------------------
def display_as_valid(self, valid=None, partially_invalid=False):
if valid is True:
self.SetBackgroundColour(self.__my_startup_color)
elif valid is False:
if partially_invalid:
self.SetBackgroundColour(color_prw_partially_invalid)
else:
self.SetBackgroundColour(color_prw_invalid)
else:
raise ValueError(u'<valid> must be True or False')
self.Refresh()
#--------------------------------------------------------
def display_as_disabled(self, disabled=None):
if disabled is True:
self.SetBackgroundColour(wx.SystemSettings_GetColour(wx.SYS_COLOUR_BACKGROUND))
elif disabled is False:
self.SetBackgroundColour(color_prw_valid)
else:
raise ValueError(u'<disabled> must be True or False')
self.Refresh()
#--------------------------------------------------------
# callback API
#--------------------------------------------------------
def add_callback_on_selection(self, callback=None):
"""Add a callback for invocation when a picklist item is selected.
The callback will be invoked whenever an item is selected
from the picklist. The associated data is passed in as
a single parameter. Callbacks must be able to cope with
None as the data parameter as that is sent whenever the
user changes a previously selected value.
"""
if not callable(callback):
raise ValueError('[add_callback_on_selection]: ignoring callback [%s], it is not callable' % callback)
self._on_selection_callbacks.append(callback)
#---------------------------------------------------------
def add_callback_on_set_focus(self, callback=None):
"""Add a callback for invocation when getting focus."""
if not callable(callback):
raise ValueError('[add_callback_on_set_focus]: ignoring callback [%s] - not callable' % callback)
self._on_set_focus_callbacks.append(callback)
#---------------------------------------------------------
def add_callback_on_lose_focus(self, callback=None):
"""Add a callback for invocation when losing focus."""
if not callable(callback):
raise ValueError('[add_callback_on_lose_focus]: ignoring callback [%s] - not callable' % callback)
self._on_lose_focus_callbacks.append(callback)
#---------------------------------------------------------
def add_callback_on_modified(self, callback=None):
"""Add a callback for invocation when the content is modified.
This callback will NOT be passed any values.
"""
if not callable(callback):
raise ValueError('[add_callback_on_modified]: ignoring callback [%s] - not callable' % callback)
self._on_modified_callbacks.append(callback)
#--------------------------------------------------------
# match provider proxies
#--------------------------------------------------------
def set_context(self, context=None, val=None):
if self.matcher is not None:
self.matcher.set_context(context=context, val=val)
#---------------------------------------------------------
def unset_context(self, context=None):
if self.matcher is not None:
self.matcher.unset_context(context=context)
#--------------------------------------------------------
# spell-checking
#--------------------------------------------------------
def enable_default_spellchecker(self):
# FIXME: use Debian's wgerman-medical as "personal" wordlist if available
try:
import enchant
except ImportError:
self.speller = None
return False
try:
self.speller = enchant.DictWithPWL(None, os.path.expanduser(os.path.join('~', '.gnumed', 'spellcheck', 'wordlist.pwl')))
except enchant.DictNotFoundError:
self.speller = None
return False
return True
#---------------------------------------------------------
def _get_suggestions_from_spell_checker(self, val):
if self.speller is None:
return None
# get the last word
last_word = self.__speller_word_separators.split(val)[-1]
if last_word.strip() == u'':
return None
try:
suggestions = self.speller.suggest(last_word)
except:
_log.exception('had to disable (enchant) spell checker')
self.speller = None
return None
if len(suggestions) == 0:
return None
input2match_without_last_word = val[:val.rindex(last_word)]
return [ input2match_without_last_word + suggestion for suggestion in suggestions ]
#--------------------------------------------------------
def _set_speller_word_separators(self, word_separators):
if word_separators is None:
self.__speller_word_separators = regex.compile(default_spelling_word_separators, flags = regex.LOCALE | regex.UNICODE)
else:
self.__speller_word_separators = regex.compile(word_separators, flags = regex.LOCALE | regex.UNICODE)
def _get_speller_word_separators(self):
return self.__speller_word_separators.pattern
speller_word_separators = property(_get_speller_word_separators, _set_speller_word_separators)
#--------------------------------------------------------
# internal API
#--------------------------------------------------------
# picklist handling
#--------------------------------------------------------
def __init_dropdown(self, parent = None):
szr_dropdown = None
try:
#raise NotImplementedError # uncomment for testing
self.__dropdown_needs_relative_position = False
self._picklist_dropdown = wx.PopupWindow(parent)
list_parent = self._picklist_dropdown
self.__use_fake_popup = False
except NotImplementedError:
self.__use_fake_popup = True
# on MacOSX wx.PopupWindow is not implemented, so emulate it
add_picklist_to_sizer = True
szr_dropdown = wx.BoxSizer(wx.VERTICAL)
# using wx.MiniFrame
self.__dropdown_needs_relative_position = False
self._picklist_dropdown = wx.MiniFrame (
parent = parent,
id = -1,
style = wx.SIMPLE_BORDER | wx.FRAME_FLOAT_ON_PARENT | wx.FRAME_NO_TASKBAR | wx.POPUP_WINDOW
)
scroll_win = wx.ScrolledWindow(parent = self._picklist_dropdown, style = wx.NO_BORDER)
scroll_win.SetSizer(szr_dropdown)
list_parent = scroll_win
# using wx.Window
#self.__dropdown_needs_relative_position = True
#self._picklist_dropdown = wx.ScrolledWindow(parent=parent, style = wx.RAISED_BORDER)
#self._picklist_dropdown.SetSizer(szr_dropdown)
#list_parent = self._picklist_dropdown
self.__mac_log('dropdown parent: %s' % self._picklist_dropdown.GetParent())
self._picklist = cPhraseWheelListCtrl (
list_parent,
style = wx.LC_NO_HEADER
)
self._picklist.InsertColumn(0, u'')
if szr_dropdown is not None:
szr_dropdown.Add(self._picklist, 1, wx.EXPAND)
self._picklist_dropdown.Hide()
#--------------------------------------------------------
def _show_picklist(self, input2match):
"""Display the pick list if useful."""
self._picklist_dropdown.Hide()
if not self._has_focus:
return
if len(self._current_match_candidates) == 0:
return
# if only one match and text == match: do not show
# picklist but rather pick that match
if len(self._current_match_candidates) == 1:
candidate = self._current_match_candidates[0]
if candidate['field_label'] == input2match:
self._update_data_from_picked_item(candidate)
return
# recalculate size
dropdown_size = self._picklist_dropdown.GetSize()
border_width = 4
extra_height = 25
# height
rows = len(self._current_match_candidates)
if rows < 2: # 2 rows minimum
rows = 2
if rows > 20: # 20 rows maximum
rows = 20
self.__mac_log('dropdown needs rows: %s' % rows)
pw_size = self.GetSize()
dropdown_size.SetHeight (
(pw_size.height * rows)
+ border_width
+ extra_height
)
# width
dropdown_size.SetWidth(min (
self.Size.width * 2,
self.Parent.Size.width
))
# recalculate position
(pw_x_abs, pw_y_abs) = self.ClientToScreenXY(0,0)
self.__mac_log('phrasewheel position (on screen): x:%s-%s, y:%s-%s' % (pw_x_abs, (pw_x_abs+pw_size.width), pw_y_abs, (pw_y_abs+pw_size.height)))
dropdown_new_x = pw_x_abs
dropdown_new_y = pw_y_abs + pw_size.height
self.__mac_log('desired dropdown position (on screen): x:%s-%s, y:%s-%s' % (dropdown_new_x, (dropdown_new_x+dropdown_size.width), dropdown_new_y, (dropdown_new_y+dropdown_size.height)))
self.__mac_log('desired dropdown size: %s' % dropdown_size)
# reaches beyond screen ?
if (dropdown_new_y + dropdown_size.height) > self._screenheight:
self.__mac_log('dropdown extends offscreen (screen max y: %s)' % self._screenheight)
max_height = self._screenheight - dropdown_new_y - 4
self.__mac_log('max dropdown height would be: %s' % max_height)
if max_height > ((pw_size.height * 2) + 4):
dropdown_size.SetHeight(max_height)
self.__mac_log('possible dropdown position (on screen): x:%s-%s, y:%s-%s' % (dropdown_new_x, (dropdown_new_x+dropdown_size.width), dropdown_new_y, (dropdown_new_y+dropdown_size.height)))
self.__mac_log('possible dropdown size: %s' % dropdown_size)
# now set dimensions
self._picklist_dropdown.SetSize(dropdown_size)
self._picklist.SetSize(self._picklist_dropdown.GetClientSize())
self.__mac_log('pick list size set to: %s' % self._picklist_dropdown.GetSize())
if self.__dropdown_needs_relative_position:
dropdown_new_x, dropdown_new_y = self._picklist_dropdown.GetParent().ScreenToClientXY(dropdown_new_x, dropdown_new_y)
self._picklist_dropdown.MoveXY(dropdown_new_x, dropdown_new_y)
# select first value
self._picklist.Select(0)
# and show it
self._picklist_dropdown.Show(True)
# dropdown_top_left = self._picklist_dropdown.ClientToScreenXY(0,0)
# dropdown_size = self._picklist_dropdown.GetSize()
# dropdown_bottom_right = self._picklist_dropdown.ClientToScreenXY(dropdown_size.width, dropdown_size.height)
# self.__mac_log('dropdown placement now (on screen): x:%s-%s, y:%s-%s' % (
# dropdown_top_left[0],
# dropdown_bottom_right[0],
# dropdown_top_left[1],
# dropdown_bottom_right[1])
# )
#--------------------------------------------------------
def _hide_picklist(self):
"""Hide the pick list."""
self._picklist_dropdown.Hide()
#--------------------------------------------------------
def _select_picklist_row(self, new_row_idx=None, old_row_idx=None):
"""Mark the given picklist row as selected."""
if old_row_idx is not None:
pass # FIXME: do we need unselect here ? Select() should do it for us
self._picklist.Select(new_row_idx)
self._picklist.EnsureVisible(new_row_idx)
#--------------------------------------------------------
def _picklist_item2display_string(self, item=None):
"""Get string to display in the field for the given picklist item."""
if item is None:
item = self._picklist.get_selected_item()
try:
return item['field_label']
except KeyError:
pass
try:
return item['list_label']
except KeyError:
pass
try:
return item['label']
except KeyError:
return u'<no field_*/list_*/label in item>'
#return self._picklist.GetItemText(self._picklist.GetFirstSelected())
#--------------------------------------------------------
def _update_display_from_picked_item(self, item):
"""Update the display to show item strings."""
# default to single phrase
display_string = self._picklist_item2display_string(item = item)
self.suppress_text_update_smarts = True
super(cPhraseWheelBase, self).SetValue(display_string)
# in single-phrase phrasewheels always set cursor to end of string
self.SetInsertionPoint(self.GetLastPosition())
return
#--------------------------------------------------------
# match generation
#--------------------------------------------------------
def _extract_fragment_to_match_on(self):
raise NotImplementedError('[%s]: fragment extraction not implemented' % self.__class__.__name__)
#---------------------------------------------------------
def _update_candidates_in_picklist(self, val):
"""Get candidates matching the currently typed input."""
# get all currently matching items
self._current_match_candidates = []
if self.matcher is not None:
matched, self._current_match_candidates = self.matcher.getMatches(val)
self._picklist.SetItems(self._current_match_candidates)
# no matches:
# - none found (perhaps due to a typo)
# - or no matcher available
# anyway: spellcheck
if len(self._current_match_candidates) == 0:
suggestions = self._get_suggestions_from_spell_checker(val)
if suggestions is not None:
self._current_match_candidates = [
{'list_label': suggestion, 'field_label': suggestion, 'data': None}
for suggestion in suggestions
]
self._picklist.SetItems(self._current_match_candidates)
#--------------------------------------------------------
# tooltip handling
#--------------------------------------------------------
def _get_data_tooltip(self):
# child classes can override this to provide
# per data item dynamic tooltips,
# by default do not support dynamic tooltip parts:
return None
#--------------------------------------------------------
def __recalculate_tooltip(self):
"""Calculate dynamic tooltip part based on data item.
- called via ._set_data() each time property .data (-> .__data) is set
- hence also called the first time data is set
- the static tooltip can be set any number of ways before that
- only when data is first set does the dynamic part become relevant
- hence it is sufficient to remember the static part when .data is
set for the first time
"""
if self.__static_tt is None:
if self.ToolTip is None:
self.__static_tt = u''
else:
self.__static_tt = self.ToolTip.Tip
# need to always calculate static part because
# the dynamic part can have *become* None, again,
# in which case we want to be able to re-set the
# tooltip to the static part
static_part = self.__static_tt
if (self.__static_tt_extra) is not None and (self.__static_tt_extra.strip() != u''):
static_part = u'%s\n\n%s' % (
static_part,
self.__static_tt_extra
)
dynamic_part = self._get_data_tooltip()
if dynamic_part is None:
self.SetToolTipString(static_part)
return
if static_part == u'':
tt = dynamic_part
else:
if dynamic_part.strip() == u'':
tt = static_part
else:
tt = u'%s\n\n%s\n\n%s' % (
dynamic_part,
gmTools.u_box_horiz_single * 32,
static_part
)
self.SetToolTipString(tt)
#--------------------------------------------------------
def _get_static_tt_extra(self):
return self.__static_tt_extra
def _set_static_tt_extra(self, tt):
self.__static_tt_extra = tt
static_tooltip_extra = property(_get_static_tt_extra, _set_static_tt_extra)
#--------------------------------------------------------
# event handling
#--------------------------------------------------------
def __register_events(self):
wx.EVT_KEY_DOWN (self, self._on_key_down)
wx.EVT_SET_FOCUS(self, self._on_set_focus)
wx.EVT_KILL_FOCUS(self, self._on_lose_focus)
wx.EVT_TEXT(self, self.GetId(), self._on_text_update)
self._picklist.Bind(wx.EVT_LEFT_DCLICK, self._on_list_item_selected)
#--------------------------------------------------------
def _on_key_down(self, event):
"""Is called when a key is pressed."""
keycode = event.GetKeyCode()
if keycode == wx.WXK_DOWN:
self.__on_cursor_down()
return
if keycode == wx.WXK_UP:
self.__on_cursor_up()
return
if keycode == wx.WXK_RETURN:
self._on_enter()
return
if keycode == wx.WXK_TAB:
if event.ShiftDown():
self.Navigate(flags = wx.NavigationKeyEvent.IsBackward)
return
self.__on_tab()
self.Navigate(flags = wx.NavigationKeyEvent.IsForward)
return
# FIXME: need PAGE UP/DOWN//POS1/END here to move in picklist
if keycode in [wx.WXK_SHIFT, wx.WXK_BACK, wx.WXK_DELETE, wx.WXK_LEFT, wx.WXK_RIGHT]:
pass
# need to handle all non-character key presses *before* this check
elif not self.__char_is_allowed(char = unichr(event.GetUnicodeKey())):
wx.Bell()
# Richard doesn't show any error message here
return
event.Skip()
return
#--------------------------------------------------------
def _on_set_focus(self, event):
self._has_focus = True
event.Skip()
#self.__non_edit_font = self.GetFont()
#edit_font = self.GetFont()
edit_font = wx.FontFromNativeInfo(self.__non_edit_font.NativeFontInfo)
edit_font.SetPointSize(pointSize = edit_font.GetPointSize() + 1)
self.SetFont(edit_font)
self.Refresh()
# notify interested parties
for callback in self._on_set_focus_callbacks:
callback()
self.__timer.Start(oneShot = True, milliseconds = self.picklist_delay)
return True
#--------------------------------------------------------
def _on_lose_focus(self, event):
"""Do stuff when leaving the control.
The user has had her say, so don't second guess
intentions but do report error conditions.
"""
event.Skip()
self._has_focus = False
self.__timer.Stop()
self._hide_picklist()
wx.CallAfter(self.__on_lost_focus)
return True
#--------------------------------------------------------
def __on_lost_focus(self):
self.SetSelection(1,1)
self.SetFont(self.__non_edit_font)
#self.Refresh() # already done in .display_as_valid() below
is_valid = True
# the user may have typed a phrase that is an exact match,
# however, just typing it won't associate data from the
# picklist, so try do that now
self._set_data_to_first_match()
# check value against final_regex if any given
if self.__final_regex.match(self.GetValue().strip()) is None:
gmDispatcher.send(signal = 'statustext', msg = self.final_regex_error_msg)
is_valid = False
self.display_as_valid(valid = is_valid)
# notify interested parties
for callback in self._on_lose_focus_callbacks:
callback()
#--------------------------------------------------------
def _on_list_item_selected(self, *args, **kwargs):
"""Gets called when user selected a list item."""
self._hide_picklist()
item = self._picklist.get_selected_item()
# huh ?
if item is None:
self.display_as_valid(valid = True)
return
self._update_display_from_picked_item(item)
self._update_data_from_picked_item(item)
self.MarkDirty()
# and tell the listeners about the user's selection
for callback in self._on_selection_callbacks:
callback(self._data)
if self.navigate_after_selection:
self.Navigate()
return
#--------------------------------------------------------
def _on_text_update (self, event):
"""Internal handler for wx.EVT_TEXT.
Called when text was changed by user or by SetValue().
"""
if self.suppress_text_update_smarts:
self.suppress_text_update_smarts = False
return
self._adjust_data_after_text_update()
self._current_match_candidates = []
val = self.GetValue().strip()
ins_point = self.GetInsertionPoint()
# if empty string then hide list dropdown window
# we also don't need a timer event then
if val == u'':
self._hide_picklist()
self.__timer.Stop()
else:
new_val = gmTools.capitalize(text = val, mode = self.capitalisation_mode)
if new_val != val:
self.suppress_text_update_smarts = True
super(cPhraseWheelBase, self).SetValue(new_val)
if ins_point > len(new_val):
self.SetInsertionPointEnd()
else:
self.SetInsertionPoint(ins_point)
# FIXME: SetSelection() ?
# start timer for delayed match retrieval
self.__timer.Start(oneShot = True, milliseconds = self.picklist_delay)
# notify interested parties
for callback in self._on_modified_callbacks:
callback()
return
#--------------------------------------------------------
# keypress handling
#--------------------------------------------------------
def _on_enter(self):
"""Called when the user pressed <ENTER>."""
if self._picklist_dropdown.IsShown():
self._on_list_item_selected()
else:
# FIXME: check for errors before navigation
self.Navigate()
#--------------------------------------------------------
def __on_cursor_down(self):
if self._picklist_dropdown.IsShown():
idx_selected = self._picklist.GetFirstSelected()
if idx_selected < (len(self._current_match_candidates) - 1):
self._select_picklist_row(idx_selected + 1, idx_selected)
return
# if we don't yet have a pick list: open new pick list
# (this can happen when we TAB into a field pre-filled
# with the top-weighted contextual item but want to
# select another contextual item)
self.__timer.Stop()
if self.GetValue().strip() == u'':
val = u'*'
else:
val = self._extract_fragment_to_match_on()
self._update_candidates_in_picklist(val = val)
self._show_picklist(input2match = val)
#--------------------------------------------------------
def __on_cursor_up(self):
if self._picklist_dropdown.IsShown():
selected = self._picklist.GetFirstSelected()
if selected > 0:
self._select_picklist_row(selected-1, selected)
else:
# FIXME: input history ?
pass
#--------------------------------------------------------
def __on_tab(self):
"""Under certain circumstances take special action on <TAB>.
returns:
True: <TAB> was handled
False: <TAB> was not handled
-> can be used to decide whether to do further <TAB> handling outside this class
"""
# are we seeing the picklist ?
if not self._picklist_dropdown.IsShown():
return False
# with only one candidate ?
if len(self._current_match_candidates) != 1:
return False
# and do we require the input to be picked from the candidates ?
if not self.selection_only:
return False
# then auto-select that item
self._select_picklist_row(new_row_idx = 0)
self._on_list_item_selected()
return True
#--------------------------------------------------------
# timer handling
#--------------------------------------------------------
def __init_timer(self):
self.__timer = _cPRWTimer()
self.__timer.callback = self._on_timer_fired
# initially stopped
self.__timer.Stop()
#--------------------------------------------------------
def _on_timer_fired(self):
"""Callback for delayed match retrieval timer.
if we end up here:
- delay has passed without user input
- the value in the input field has not changed since the timer started
"""
# update matches according to current input
val = self._extract_fragment_to_match_on()
self._update_candidates_in_picklist(val = val)
# we now have either:
# - all possible items (within reasonable limits) if input was '*'
# - all matching items
# - an empty match list if no matches were found
# also, our picklist is refilled and sorted according to weight
wx.CallAfter(self._show_picklist, input2match = val)
#----------------------------------------------------
# random helpers and properties
#----------------------------------------------------
def __mac_log(self, msg):
if self.__use_fake_popup:
_log.debug(msg)
#--------------------------------------------------------
def __char_is_allowed(self, char=None):
# if undefined accept all chars
if self.accepted_chars is None:
return True
return (self.__accepted_chars.match(char) is not None)
#--------------------------------------------------------
def _set_accepted_chars(self, accepted_chars=None):
if accepted_chars is None:
self.__accepted_chars = None
else:
self.__accepted_chars = regex.compile(accepted_chars)
def _get_accepted_chars(self):
if self.__accepted_chars is None:
return None
return self.__accepted_chars.pattern
accepted_chars = property(_get_accepted_chars, _set_accepted_chars)
#--------------------------------------------------------
def _set_final_regex(self, final_regex='.*'):
self.__final_regex = regex.compile(final_regex, flags = regex.LOCALE | regex.UNICODE)
def _get_final_regex(self):
return self.__final_regex.pattern
final_regex = property(_get_final_regex, _set_final_regex)
#--------------------------------------------------------
def _set_final_regex_error_msg(self, msg):
self.__final_regex_error_msg = msg % self.final_regex
def _get_final_regex_error_msg(self):
return self.__final_regex_error_msg
final_regex_error_msg = property(_get_final_regex_error_msg, _set_final_regex_error_msg)
#--------------------------------------------------------
# data munging
#--------------------------------------------------------
def _set_data_to_first_match(self):
return False
#--------------------------------------------------------
def _update_data_from_picked_item(self, item):
self.data = {item['field_label']: item}
#--------------------------------------------------------
def _dictify_data(self, data=None, value=None):
raise NotImplementedError('[%s]: _dictify_data()' % self.__class__.__name__)
#---------------------------------------------------------
def _adjust_data_after_text_update(self):
raise NotImplementedError('[%s]: cannot adjust data after text update' % self.__class__.__name__)
#--------------------------------------------------------
def _data2match(self, data):
if self.matcher is None:
return None
return self.matcher.get_match_by_data(data = data)
#--------------------------------------------------------
def _create_data(self):
raise NotImplementedError('[%s]: cannot create data object' % self.__class__.__name__)
#--------------------------------------------------------
def _get_data(self):
return self._data
def _set_data(self, data):
self._data = data
self.__recalculate_tooltip()
data = property(_get_data, _set_data)
#============================================================
# FIXME: cols in pick list
# FIXME: snap_to_basename+set selection
# FIXME: learn() -> PWL
# FIXME: up-arrow: show recent (in-memory) history
#----------------------------------------------------------
# ideas
#----------------------------------------------------------
#- display possible completion but highlighted for deletion
#(- cycle through possible completions)
#- pre-fill selection with SELECT ... LIMIT 25
#- async threads for match retrieval instead of timer
# - on truncated results return item "..." -> selection forcefully retrieves all matches
#- generators/yield()
#- OnChar() - process a char event
# split input into words and match components against known phrases
# make special list window:
# - deletion of items
# - highlight matched parts
# - faster scrolling
# - wxEditableListBox ?
# - if non-learning (i.e. fast select only): autocomplete with match
# and move cursor to end of match
#-----------------------------------------------------------------------------------------------
# darn ! this clever hack won't work since we may have crossed a search location threshold
#----
# #self.__prevFragment = "***********-very-unlikely--------------***************"
# #self.__prevMatches = [] # a list of tuples (ID, listbox name, weight)
#
# # is the current fragment just a longer version of the previous fragment ?
# if string.find(aFragment, self.__prevFragment) == 0:
# # we then need to search in the previous matches only
# for prevMatch in self.__prevMatches:
# if string.find(prevMatch[1], aFragment) == 0:
# matches.append(prevMatch)
# # remember current matches
# self.__prefMatches = matches
# # no matches found
# if len(matches) == 0:
# return [(1,_('*no matching items found*'),1)]
# else:
# return matches
#----
#TODO:
# - see spincontrol for list box handling
# stop list (list of negatives): "an" -> "animal" but not "and"
#-----
#> > remember, you should be searching on either weighted data, or in some
#> > situations a start string search on indexed data
#>
#> Can you be a bit more specific on this ?
#seaching ones own previous text entered would usually be instring but
#weighted (ie the phrases you use the most auto filter to the top)
#Searching a drug database for a drug brand name is usually more
#functional if it does a start string search, not an instring search which is
#much slower and usually unecesary. There are many other examples but trust
#me one needs both
# FIXME: support selection-only-or-empty
#============================================================
class cPhraseWheel(cPhraseWheelBase):
def GetData(self, can_create=False, as_instance=False):
super(cPhraseWheel, self).GetData(can_create = can_create)
if len(self._data) > 0:
if as_instance:
return self._data2instance()
if len(self._data) == 0:
return None
return self._data.values()[0]['data']
#---------------------------------------------------------
def SetData(self, data=None):
"""Set the data and thereby set the value, too. if possible.
If you call SetData() you better be prepared
doing a scan of the entire potential match space.
The whole thing will only work if data is found
in the match space anyways.
"""
if data is None:
self._data = {}
return True
# try getting match candidates
self._update_candidates_in_picklist(u'*')
# do we require a match ?
if self.selection_only:
# yes, but we don't have any candidates
if len(self._current_match_candidates) == 0:
return False
# among candidates look for a match with <data>
for candidate in self._current_match_candidates:
if candidate['data'] == data:
super(cPhraseWheel, self).SetText (
value = candidate['field_label'],
data = data,
suppress_smarts = True
)
return True
# no match found in candidates (but needed) ...
if self.selection_only:
self.display_as_valid(valid = False)
return False
self.data = self._dictify_data(data = data)
self.display_as_valid(valid = True)
return True
#--------------------------------------------------------
# internal API
#--------------------------------------------------------
def _show_picklist(self, input2match):
# this helps if the current input was already selected from the
# list but still is the substring of another pick list item or
# else the picklist will re-open just after selection
if len(self._data) > 0:
self._picklist_dropdown.Hide()
return
return super(cPhraseWheel, self)._show_picklist(input2match = input2match)
#--------------------------------------------------------
def _set_data_to_first_match(self):
# data already set ?
if len(self._data) > 0:
return True
# needed ?
val = self.GetValue().strip()
if val == u'':
return True
# so try
self._update_candidates_in_picklist(val = val)
for candidate in self._current_match_candidates:
if candidate['field_label'] == val:
self.data = {candidate['field_label']: candidate}
self.MarkDirty()
# tell listeners about the user's selection
for callback in self._on_selection_callbacks:
callback(self._data)
return True
# no exact match found
if self.selection_only:
gmDispatcher.send(signal = 'statustext', msg = self.selection_only_error_msg)
is_valid = False
return False
return True
#---------------------------------------------------------
def _adjust_data_after_text_update(self):
self.data = {}
#---------------------------------------------------------
def _extract_fragment_to_match_on(self):
return self.GetValue().strip()
#---------------------------------------------------------
def _dictify_data(self, data=None, value=None):
# assume data to always be old style
if value is None:
value = u'%s' % data
return {value: {'data': data, 'list_label': value, 'field_label': value}}
#============================================================
class cMultiPhraseWheel(cPhraseWheelBase):
def __init__(self, *args, **kwargs):
super(cMultiPhraseWheel, self).__init__(*args, **kwargs)
self.phrase_separators = default_phrase_separators
self.left_part = u''
self.right_part = u''
self.speller = None
#---------------------------------------------------------
def GetData(self, can_create=False, as_instance=False):
super(cMultiPhraseWheel, self).GetData(can_create = can_create)
if len(self._data) > 0:
if as_instance:
return self._data2instance()
return self._data.values()
#---------------------------------------------------------
def enable_default_spellchecker(self):
self.speller = None
return True
#---------------------------------------------------------
def list2data_dict(self, data_items=None):
data_dict = {}
for item in data_items:
try:
list_label = item['list_label']
except KeyError:
list_label = item['label']
try:
field_label = item['field_label']
except KeyError:
field_label = list_label
data_dict[field_label] = {'data': item['data'], 'list_label': list_label, 'field_label': field_label}
return data_dict
#---------------------------------------------------------
# internal API
#---------------------------------------------------------
def _get_suggestions_from_speller(self, val):
return None
#---------------------------------------------------------
def _adjust_data_after_text_update(self):
# the textctrl display must already be set properly
new_data = {}
# this way of looping automatically removes stale
# data for labels which are no longer displayed
for displayed_label in self.displayed_strings:
try:
new_data[displayed_label] = self._data[displayed_label]
except KeyError:
# this removes stale data for which there
# is no displayed_label anymore
pass
self.data = new_data
#---------------------------------------------------------
def _extract_fragment_to_match_on(self):
cursor_pos = self.GetInsertionPoint()
entire_input = self.GetValue()
if self.__phrase_separators.search(entire_input) is None:
self.left_part = u''
self.right_part = u''
return self.GetValue().strip()
string_left_of_cursor = entire_input[:cursor_pos]
string_right_of_cursor = entire_input[cursor_pos:]
left_parts = [ lp.strip() for lp in self.__phrase_separators.split(string_left_of_cursor) ]
if len(left_parts) == 0:
self.left_part = u''
else:
self.left_part = u'%s%s ' % (
(u'%s ' % self.__phrase_separators.pattern[0]).join(left_parts[:-1]),
self.__phrase_separators.pattern[0]
)
right_parts = [ rp.strip() for rp in self.__phrase_separators.split(string_right_of_cursor) ]
self.right_part = u'%s %s' % (
self.__phrase_separators.pattern[0],
(u'%s ' % self.__phrase_separators.pattern[0]).join(right_parts[1:])
)
val = (left_parts[-1] + right_parts[0]).strip()
return val
#--------------------------------------------------------
def _update_display_from_picked_item(self, item):
val = (u'%s%s%s' % (
self.left_part,
self._picklist_item2display_string(item = item),
self.right_part
)).lstrip().lstrip(';').strip()
self.suppress_text_update_smarts = True
super(cMultiPhraseWheel, self).SetValue(val)
# find item end and move cursor to that place:
item_end = val.index(item['field_label']) + len(item['field_label'])
self.SetInsertionPoint(item_end)
return
#--------------------------------------------------------
def _update_data_from_picked_item(self, item):
# add item to the data
self._data[item['field_label']] = item
# the textctrl display must already be set properly
field_labels = [ p.strip() for p in self.__phrase_separators.split(self.GetValue().strip()) ]
new_data = {}
# this way of looping automatically removes stale
# data for labels which are no longer displayed
for field_label in field_labels:
try:
new_data[field_label] = self._data[field_label]
except KeyError:
# this removes stale data for which there
# is no displayed_label anymore
pass
self.data = new_data
#---------------------------------------------------------
def _dictify_data(self, data=None, value=None):
if type(data) == type([]):
# useful because self.GetData() returns just such a list
return self.list2data_dict(data_items = data)
# else assume new-style already-dictified data
return data
#--------------------------------------------------------
# properties
#--------------------------------------------------------
def _set_phrase_separators(self, phrase_separators):
"""Set phrase separators.
- must be a valid regular expression pattern
input is split into phrases at boundaries defined by
this regex and matching is performed on the phrase
the cursor is in only,
after selection from picklist phrase_separators[0] is
added to the end of the match in the PRW
"""
self.__phrase_separators = regex.compile(phrase_separators, flags = regex.LOCALE | regex.UNICODE)
def _get_phrase_separators(self):
return self.__phrase_separators.pattern
phrase_separators = property(_get_phrase_separators, _set_phrase_separators)
#--------------------------------------------------------
def _get_displayed_strings(self):
return [ p.strip() for p in self.__phrase_separators.split(self.GetValue().strip()) if p.strip() != u'' ]
displayed_strings = property(_get_displayed_strings, lambda x:x)
#============================================================
# main
#------------------------------------------------------------
if __name__ == '__main__':
if len(sys.argv) < 2:
sys.exit()
if sys.argv[1] != u'test':
sys.exit()
from Gnumed.pycommon import gmI18N
gmI18N.activate_locale()
gmI18N.install_domain(domain='gnumed')
from Gnumed.pycommon import gmPG2, gmMatchProvider
prw = None # used for access from display_values_*
#--------------------------------------------------------
def display_values_set_focus(*args, **kwargs):
print "got focus:"
print "value:", prw.GetValue()
print "data :", prw.GetData()
return True
#--------------------------------------------------------
def display_values_lose_focus(*args, **kwargs):
print "lost focus:"
print "value:", prw.GetValue()
print "data :", prw.GetData()
return True
#--------------------------------------------------------
def display_values_modified(*args, **kwargs):
print "modified:"
print "value:", prw.GetValue()
print "data :", prw.GetData()
return True
#--------------------------------------------------------
def display_values_selected(*args, **kwargs):
print "selected:"
print "value:", prw.GetValue()
print "data :", prw.GetData()
return True
#--------------------------------------------------------
#--------------------------------------------------------
def test_prw_fixed_list():
app = wx.PyWidgetTester(size = (200, 50))
items = [ {'data': 1, 'list_label': "Bloggs", 'field_label': "Bloggs", 'weight': 0},
{'data': 2, 'list_label': "Baker", 'field_label': "Baker", 'weight': 0},
{'data': 3, 'list_label': "Jones", 'field_label': "Jones", 'weight': 0},
{'data': 4, 'list_label': "Judson", 'field_label': "Judson", 'weight': 0},
{'data': 5, 'list_label': "Jacobs", 'field_label': "Jacobs", 'weight': 0},
{'data': 6, 'list_label': "Judson-Jacobs", 'field_label': "Judson-Jacobs", 'weight': 0}
]
mp = gmMatchProvider.cMatchProvider_FixedList(items)
# do NOT treat "-" as a word separator here as there are names like "asa-sismussen"
mp.word_separators = '[ \t=+&:@]+'
global prw
prw = cPhraseWheel(parent = app.frame, id = -1)
prw.matcher = mp
prw.capitalisation_mode = gmTools.CAPS_NAMES
prw.add_callback_on_set_focus(callback=display_values_set_focus)
prw.add_callback_on_modified(callback=display_values_modified)
prw.add_callback_on_lose_focus(callback=display_values_lose_focus)
prw.add_callback_on_selection(callback=display_values_selected)
app.frame.Show(True)
app.MainLoop()
return True
#--------------------------------------------------------
def test_prw_sql2():
print "Do you want to test the database connected phrase wheel ?"
yes_no = raw_input('y/n: ')
if yes_no != 'y':
return True
gmPG2.get_connection()
query = u"""SELECT code, code || ': ' || _(name), _(name) FROM dem.country WHERE _(name) %(fragment_condition)s"""
mp = gmMatchProvider.cMatchProvider_SQL2(queries = [query])
app = wx.PyWidgetTester(size = (400, 50))
global prw
#prw = cPhraseWheel(parent = app.frame, id = -1)
prw = cMultiPhraseWheel(parent = app.frame, id = -1)
prw.matcher = mp
app.frame.Show(True)
app.MainLoop()
return True
#--------------------------------------------------------
def test_prw_patients():
gmPG2.get_connection()
query = u"""
select
pk_identity,
firstnames || ' ' || lastnames || ', ' || to_char(dob, 'YYYY-MM-DD'),
firstnames || ' ' || lastnames
from
dem.v_basic_person
where
firstnames || lastnames %(fragment_condition)s
"""
mp = gmMatchProvider.cMatchProvider_SQL2(queries = [query])
app = wx.PyWidgetTester(size = (500, 50))
global prw
prw = cPhraseWheel(parent = app.frame, id = -1)
prw.matcher = mp
prw.selection_only = True
app.frame.Show(True)
app.MainLoop()
return True
#--------------------------------------------------------
def test_spell_checking_prw():
app = wx.PyWidgetTester(size = (200, 50))
global prw
prw = cPhraseWheel(parent = app.frame, id = -1)
prw.add_callback_on_set_focus(callback=display_values_set_focus)
prw.add_callback_on_modified(callback=display_values_modified)
prw.add_callback_on_lose_focus(callback=display_values_lose_focus)
prw.add_callback_on_selection(callback=display_values_selected)
prw.enable_default_spellchecker()
app.frame.Show(True)
app.MainLoop()
return True
#--------------------------------------------------------
#test_prw_fixed_list()
#test_prw_sql2()
#test_spell_checking_prw()
test_prw_patients()
#==================================================
|