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
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
|
basegfx/source/range/b2drangeclipper.cxx:688
type-parameter-?-? basegfx::(anonymous namespace)::eraseFromList(type-parameter-?-? &,const type-parameter-?-? &)
basic/source/inc/buffer.hxx:40
void SbiBuffer::operator+=(signed char)
basic/source/inc/buffer.hxx:41
void SbiBuffer::operator+=(short)
basic/source/inc/buffer.hxx:45
void SbiBuffer::operator+=(int)
bridges/source/cpp_uno/gcc3_linux_x86-64/share.hxx:185
void CPPU_CURRENT_NAMESPACE::raiseException(struct _uno_Any *,struct _uno_Mapping *)
bridges/source/cpp_uno/gcc3_linux_x86-64/share.hxx:188
void CPPU_CURRENT_NAMESPACE::fillUnoException(struct _uno_Any *,struct _uno_Mapping *)
canvas/inc/rendering/icolorbuffer.hxx:47
unsigned char * canvas::IColorBuffer::lock() const
canvas/inc/rendering/icolorbuffer.hxx:51
void canvas::IColorBuffer::unlock() const
canvas/inc/rendering/icolorbuffer.hxx:66
unsigned int canvas::IColorBuffer::getStride() const
canvas/inc/rendering/icolorbuffer.hxx:70
enum canvas::IColorBuffer::Format canvas::IColorBuffer::getFormat() const
canvas/inc/rendering/isurfaceproxy.hxx:38
void canvas::ISurfaceProxy::setColorBufferDirty()
canvas/inc/rendering/isurfaceproxy.hxx:51
_Bool canvas::ISurfaceProxy::draw(double,const class basegfx::B2DPoint &,const class basegfx::B2DHomMatrix &)
canvas/inc/rendering/isurfaceproxy.hxx:71
_Bool canvas::ISurfaceProxy::draw(double,const class basegfx::B2DPoint &,const class basegfx::B2DRange &,const class basegfx::B2DHomMatrix &)
canvas/inc/rendering/isurfaceproxy.hxx:91
_Bool canvas::ISurfaceProxy::draw(double,const class basegfx::B2DPoint &,const class basegfx::B2DPolyPolygon &,const class basegfx::B2DHomMatrix &)
canvas/inc/rendering/isurfaceproxymanager.hxx:57
class std::shared_ptr<struct canvas::ISurfaceProxy> canvas::ISurfaceProxyManager::createSurfaceProxy(const class std::shared_ptr<struct canvas::IColorBuffer> &) const
canvas/inc/rendering/isurfaceproxymanager.hxx:63
class std::shared_ptr<struct canvas::ISurfaceProxyManager> canvas::createSurfaceProxyManager(const class std::shared_ptr<struct canvas::IRenderModule> &)
canvas/inc/vclwrapper.hxx:66
canvas::vcltools::VCLObject::VCLObject<Wrappee_>(unique_ptr<type-parameter-?-?, default_delete<type-parameter-?-?> >)
canvas/inc/vclwrapper.hxx:135
type-parameter-?-? & canvas::vcltools::VCLObject::get()
canvas/inc/vclwrapper.hxx:136
const type-parameter-?-? & canvas::vcltools::VCLObject::get() const
canvas/inc/vclwrapper.hxx:138
void canvas::vcltools::VCLObject::swap(VCLObject<Wrappee_> &)
canvas/source/vcl/impltools.hxx:102
vclcanvas::tools::LocalGuard::LocalGuard()
connectivity/inc/sdbcx/VGroup.hxx:61
connectivity::sdbcx::OGroup::OGroup(_Bool)
connectivity/inc/sdbcx/VGroup.hxx:62
connectivity::sdbcx::OGroup::OGroup(const class rtl::OUString &,_Bool)
connectivity/source/drivers/evoab2/NResultSetMetaData.hxx:49
class com::sun::star::uno::Reference<class com::sun::star::sdbc::XResultSetMetaData> connectivity::evoab::OEvoabResultSetMetaData::operator Reference()
connectivity/source/drivers/firebird/Driver.hxx:59
const class com::sun::star::uno::Reference<class com::sun::star::uno::XComponentContext> & connectivity::firebird::FirebirdDriver::getContext() const
connectivity/source/drivers/firebird/Util.hxx:65
connectivity::firebird::ColumnTypeInfo::ColumnTypeInfo(short,const class rtl::OUString &)
connectivity/source/drivers/firebird/Util.hxx:70
short connectivity::firebird::ColumnTypeInfo::getType() const
connectivity/source/drivers/firebird/Util.hxx:71
short connectivity::firebird::ColumnTypeInfo::getSubType() const
connectivity/source/drivers/firebird/Util.hxx:73
const class rtl::OUString & connectivity::firebird::ColumnTypeInfo::getCharacterSet() const
connectivity/source/drivers/mysqlc/mysqlc_connection.hxx:175
class rtl::OUString connectivity::mysqlc::OConnection::transFormPreparedStatement(const class rtl::OUString &)
connectivity/source/drivers/mysqlc/mysqlc_prepared_resultset.hxx:93
type-parameter-?-? connectivity::mysqlc::OPreparedResultSet::safelyRetrieveValue(const int)
connectivity/source/drivers/mysqlc/mysqlc_prepared_resultset.hxx:94
type-parameter-?-? connectivity::mysqlc::OPreparedResultSet::retrieveValue(const int)
connectivity/source/inc/dbase/dindexnode.hxx:64
_Bool connectivity::dbase::ONDXKey::operator<(const class connectivity::dbase::ONDXKey &) const
connectivity/source/inc/java/sql/Connection.hxx:60
class rtl::OUString connectivity::java_sql_Connection::transFormPreparedStatement(const class rtl::OUString &)
connectivity/source/inc/OColumn.hxx:102
_Bool connectivity::OColumn::isReadOnly() const
connectivity/source/inc/OColumn.hxx:103
_Bool connectivity::OColumn::isWritable() const
connectivity/source/inc/OColumn.hxx:104
_Bool connectivity::OColumn::isDefinitelyWritable() const
connectivity/source/inc/odbc/OConnection.hxx:117
class connectivity::odbc::ODBCDriver * connectivity::odbc::OConnection::getDriver() const
connectivity/source/inc/odbc/ODriver.hxx:71
const class com::sun::star::uno::Reference<class com::sun::star::uno::XComponentContext> & connectivity::odbc::ODBCDriver::getContext() const
connectivity/source/inc/odbc/OPreparedStatement.hxx:70
void connectivity::odbc::OPreparedStatement::setScalarParameter(int,int,unsigned long,const type-parameter-?-?)
connectivity/source/inc/odbc/OPreparedStatement.hxx:71
void connectivity::odbc::OPreparedStatement::setScalarParameter(int,int,unsigned long,int,const type-parameter-?-?)
connectivity/source/inc/OTypeInfo.hxx:45
_Bool connectivity::OTypeInfo::operator==(const struct connectivity::OTypeInfo &) const
connectivity/source/inc/OTypeInfo.hxx:46
_Bool connectivity::OTypeInfo::operator!=(const struct connectivity::OTypeInfo &) const
cui/source/dialogs/SpellAttrib.hxx:72
_Bool svx::SpellErrorDescription::operator==(const struct svx::SpellErrorDescription &) const
cui/source/inc/CustomNotebookbarGenerator.hxx:30
CustomNotebookbarGenerator::CustomNotebookbarGenerator()
cui/source/inc/fileextcheckdlg.hxx:32
void FileExtCheckDialog::LinkStubOnOkClick(void *,class weld::Button &)
cui/source/inc/fileextcheckdlg.hxx:32
void FileExtCheckDialog::OnOkClick(class weld::Button &)
cui/source/inc/fileextcheckdlg.hxx:35
FileExtCheckDialog::FileExtCheckDialog(class weld::Window *,const class rtl::OUString &,const class rtl::OUString &)
cui/source/inc/SvxNotebookbarConfigPage.hxx:40
void SvxNotebookbarConfigPage::SetElement()
dbaccess/source/filter/hsqldb/fbalterparser.hxx:19
void dbahsql::FbAlterStmtParser::ensureProperTableLengths() const
dbaccess/source/filter/hsqldb/parseschema.hxx:80
const class std::__debug::map<class rtl::OUString, class std::__debug::vector<class rtl::OUString, class std::allocator<class rtl::OUString> >, struct std::less<class rtl::OUString>, class std::allocator<struct std::pair<const class rtl::OUString, class std::__debug::vector<class rtl::OUString, class std::allocator<class rtl::OUString> > > > > & dbahsql::SchemaParser::getPrimaryKeys() const
dbaccess/source/ui/inc/dsmeta.hxx:88
class __gnu_debug::_Safe_iterator<struct std::_Rb_tree_const_iterator<int>, class std::__debug::set<int, struct std::less<int>, class std::allocator<int> >, struct std::bidirectional_iterator_tag> dbaui::FeatureSet::begin() const
dbaccess/source/ui/inc/dsmeta.hxx:89
class __gnu_debug::_Safe_iterator<struct std::_Rb_tree_const_iterator<int>, class std::__debug::set<int, struct std::less<int>, class std::allocator<int> >, struct std::bidirectional_iterator_tag> dbaui::FeatureSet::end() const
dbaccess/source/ui/inc/FieldControls.hxx:67
class rtl::OUString dbaui::OPropNumericEditCtrl::get_text() const
dbaccess/source/ui/inc/FieldControls.hxx:72
void dbaui::OPropNumericEditCtrl::set_min(int)
dbaccess/source/ui/inc/indexcollection.hxx:52
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct dbaui::OIndex *, class std::__cxx1998::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> > >, class std::__debug::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> >, struct std::random_access_iterator_tag> dbaui::OIndexCollection::begin() const
dbaccess/source/ui/inc/indexcollection.hxx:56
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct dbaui::OIndex *, class std::__cxx1998::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> > >, class std::__debug::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> >, struct std::random_access_iterator_tag> dbaui::OIndexCollection::end() const
dbaccess/source/ui/inc/indexcollection.hxx:61
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct dbaui::OIndex *, class std::__cxx1998::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> > >, class std::__debug::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> >, struct std::random_access_iterator_tag> dbaui::OIndexCollection::find(const class rtl::OUString &) const
dbaccess/source/ui/inc/indexcollection.hxx:63
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct dbaui::OIndex *, class std::__cxx1998::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> > >, class std::__debug::vector<struct dbaui::OIndex, class std::allocator<struct dbaui::OIndex> >, struct std::random_access_iterator_tag> dbaui::OIndexCollection::findOriginal(const class rtl::OUString &) const
dbaccess/source/ui/inc/sbamultiplex.hxx:384
class cppu::OInterfaceContainerHelper * dbaui::SbaXVetoableChangeMultiplexer::getContainer(const class rtl::OUString &)
dbaccess/source/ui/inc/unodatbr.hxx:313
_Bool dbaui::SbaTableQueryBrowser::implCopyObject(class ODataClipboard &,const class weld::TreeIter &,int)
desktop/source/lib/lokclipboard.hxx:95
LOKClipboardFactory::LOKClipboardFactory()
drawinglayer/inc/texture/texture.hxx:39
_Bool drawinglayer::texture::GeoTexSvx::operator!=(const class drawinglayer::texture::GeoTexSvx &) const
drawinglayer/source/tools/emfpcustomlinecap.hxx:37
void emfplushelper::EMFPCustomLineCap::SetAttributes(struct com::sun::star::rendering::StrokeAttributes &)
drawinglayer/source/tools/emfpstringformat.hxx:93
_Bool emfplushelper::EMFPStringFormat::NoFitBlackBox() const
drawinglayer/source/tools/emfpstringformat.hxx:94
_Bool emfplushelper::EMFPStringFormat::DisplayFormatControl() const
drawinglayer/source/tools/emfpstringformat.hxx:95
_Bool emfplushelper::EMFPStringFormat::NoFontFallback() const
drawinglayer/source/tools/emfpstringformat.hxx:96
_Bool emfplushelper::EMFPStringFormat::MeasureTrailingSpaces() const
drawinglayer/source/tools/emfpstringformat.hxx:97
_Bool emfplushelper::EMFPStringFormat::NoWrap() const
drawinglayer/source/tools/emfpstringformat.hxx:98
_Bool emfplushelper::EMFPStringFormat::LineLimit() const
drawinglayer/source/tools/emfpstringformat.hxx:99
_Bool emfplushelper::EMFPStringFormat::NoClip() const
drawinglayer/source/tools/emfpstringformat.hxx:100
_Bool emfplushelper::EMFPStringFormat::BypassGDI() const
editeng/inc/editdoc.hxx:523
_Bool EditLine::IsInvalid() const
editeng/inc/editdoc.hxx:524
_Bool EditLine::IsValid() const
editeng/inc/edtspell.hxx:103
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct editeng::MisspellRange *, class std::__cxx1998::vector<struct editeng::MisspellRange, class std::allocator<struct editeng::MisspellRange> > >, class std::__debug::vector<struct editeng::MisspellRange, class std::allocator<struct editeng::MisspellRange> >, struct std::random_access_iterator_tag> WrongList::begin() const
editeng/inc/edtspell.hxx:104
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const struct editeng::MisspellRange *, class std::__cxx1998::vector<struct editeng::MisspellRange, class std::allocator<struct editeng::MisspellRange> > >, class std::__debug::vector<struct editeng::MisspellRange, class std::allocator<struct editeng::MisspellRange> >, struct std::random_access_iterator_tag> WrongList::end() const
editeng/source/editeng/impedit.hxx:234
class tools::Rectangle LOKSpecialPositioning::GetWindowPos(const class tools::Rectangle &,enum MapUnit) const
embeddedobj/source/msole/olecomponent.hxx:75
_Bool OleComponent::InitializeObject_Impl()
embeddedobj/source/msole/olecomponent.hxx:77
void OleComponent::CreateNewIStorage_Impl()
embeddedobj/source/msole/olecomponent.hxx:78
void OleComponent::RetrieveObjectDataFlavors_Impl()
embeddedobj/source/msole/olecomponent.hxx:79
void OleComponent::Dispose()
embeddedobj/source/msole/olecomponent.hxx:83
OleComponent::OleComponent(const class com::sun::star::uno::Reference<class com::sun::star::uno::XComponentContext> &,class OleEmbeddedObject *)
embeddedobj/source/msole/olecomponent.hxx:88
class OleComponent * OleComponent::createEmbeddedCopyOfLink()
embeddedobj/source/msole/olecomponent.hxx:90
void OleComponent::disconnectEmbeddedObject()
embeddedobj/source/msole/olecomponent.hxx:92
struct com::sun::star::awt::Size OleComponent::CalculateWithFactor(const struct com::sun::star::awt::Size &,const struct com::sun::star::awt::Size &,const struct com::sun::star::awt::Size &)
embeddedobj/source/msole/olecomponent.hxx:96
struct com::sun::star::awt::Size OleComponent::CalculateTheRealSize(const struct com::sun::star::awt::Size &,_Bool)
embeddedobj/source/msole/olecomponent.hxx:99
void OleComponent::LoadEmbeddedObject(const class rtl::OUString &)
embeddedobj/source/msole/olecomponent.hxx:100
void OleComponent::CreateObjectFromClipboard()
embeddedobj/source/msole/olecomponent.hxx:101
void OleComponent::CreateNewEmbeddedObject(const class com::sun::star::uno::Sequence<signed char> &)
embeddedobj/source/msole/olecomponent.hxx:102
void OleComponent::CreateObjectFromData(const class com::sun::star::uno::Reference<class com::sun::star::datatransfer::XTransferable> &)
embeddedobj/source/msole/olecomponent.hxx:104
void OleComponent::CreateObjectFromFile(const class rtl::OUString &)
embeddedobj/source/msole/olecomponent.hxx:105
void OleComponent::CreateLinkFromFile(const class rtl::OUString &)
embeddedobj/source/msole/olecomponent.hxx:106
void OleComponent::InitEmbeddedCopyOfLink(const class rtl::Reference<class OleComponent> &)
embeddedobj/source/msole/olecomponent.hxx:109
void OleComponent::RunObject()
embeddedobj/source/msole/olecomponent.hxx:110
void OleComponent::CloseObject()
embeddedobj/source/msole/olecomponent.hxx:112
class com::sun::star::uno::Sequence<struct com::sun::star::embed::VerbDescriptor> OleComponent::GetVerbList()
embeddedobj/source/msole/olecomponent.hxx:114
void OleComponent::ExecuteVerb(int)
embeddedobj/source/msole/olecomponent.hxx:115
void OleComponent::SetHostName(const class rtl::OUString &)
embeddedobj/source/msole/olecomponent.hxx:116
void OleComponent::SetExtent(const struct com::sun::star::awt::Size &,long)
embeddedobj/source/msole/olecomponent.hxx:118
struct com::sun::star::awt::Size OleComponent::GetExtent(long)
embeddedobj/source/msole/olecomponent.hxx:119
struct com::sun::star::awt::Size OleComponent::GetCachedExtent(long)
embeddedobj/source/msole/olecomponent.hxx:120
struct com::sun::star::awt::Size OleComponent::GetRecommendedExtent(long)
embeddedobj/source/msole/olecomponent.hxx:122
long OleComponent::GetMiscStatus(long)
embeddedobj/source/msole/olecomponent.hxx:124
class com::sun::star::uno::Sequence<signed char> OleComponent::GetCLSID()
embeddedobj/source/msole/olecomponent.hxx:126
_Bool OleComponent::IsWorkaroundActive() const
embeddedobj/source/msole/olecomponent.hxx:127
_Bool OleComponent::IsDirty()
embeddedobj/source/msole/olecomponent.hxx:129
void OleComponent::StoreOwnTmpIfNecessary()
embeddedobj/source/msole/olecomponent.hxx:131
_Bool OleComponent::SaveObject_Impl()
embeddedobj/source/msole/olecomponent.hxx:132
_Bool OleComponent::OnShowWindow_Impl(_Bool)
embeddedobj/source/msole/olecomponent.hxx:133
void OleComponent::OnViewChange_Impl(unsigned int)
embeddedobj/source/msole/olecomponent.hxx:134
void OleComponent::OnClose_Impl()
extensions/source/scanner/scanner.hxx:79
void ScannerManager::SetData(void *)
hwpfilter/source/mzstring.h:100
class MzString & MzString::operator<<(unsigned char)
hwpfilter/source/mzstring.h:102
class MzString & MzString::operator<<(long)
hwpfilter/source/mzstring.h:103
class MzString & MzString::operator<<(short)
idl/source/prj/svidl.cxx:105
int main(int,char **)
include/basegfx/curve/b2dcubicbezier.hxx:51
_Bool basegfx::B2DCubicBezier::operator==(const class basegfx::B2DCubicBezier &) const
include/basegfx/curve/b2dcubicbezier.hxx:52
_Bool basegfx::B2DCubicBezier::operator!=(const class basegfx::B2DCubicBezier &) const
include/basegfx/curve/b2dcubicbezier.hxx:192
void basegfx::B2DCubicBezier::transform(const class basegfx::B2DHomMatrix &)
include/basegfx/curve/b2dcubicbezier.hxx:195
void basegfx::B2DCubicBezier::fround()
include/basegfx/matrix/b2dhommatrix.hxx:106
void basegfx::B2DHomMatrix::scale(const class basegfx::B2DTuple &)
include/basegfx/matrix/b2dhommatrix.hxx:112
class basegfx::B2DHomMatrix & basegfx::B2DHomMatrix::operator+=(const class basegfx::B2DHomMatrix &)
include/basegfx/matrix/b2dhommatrix.hxx:113
class basegfx::B2DHomMatrix & basegfx::B2DHomMatrix::operator-=(const class basegfx::B2DHomMatrix &)
include/basegfx/matrix/b2dhommatrix.hxx:118
class basegfx::B2DHomMatrix & basegfx::B2DHomMatrix::operator*=(double)
include/basegfx/matrix/b2dhommatrix.hxx:119
class basegfx::B2DHomMatrix & basegfx::B2DHomMatrix::operator/=(double)
include/basegfx/matrix/b2dhommatrixtools.hxx:131
class basegfx::B2DHomMatrix basegfx::utils::createRotateAroundCenterKeepAspectRatioStayInsideRange(const class basegfx::B2DRange &,double)
include/basegfx/matrix/b2dhommatrixtools.hxx:217
double basegfx::utils::B2DHomMatrixBufferedOnDemandDecompose::getShearX() const
include/basegfx/matrix/b3dhommatrix.hxx:66
void basegfx::B3DHomMatrix::rotate(const class basegfx::B3DTuple &)
include/basegfx/matrix/b3dhommatrix.hxx:70
void basegfx::B3DHomMatrix::translate(const class basegfx::B3DTuple &)
include/basegfx/matrix/b3dhommatrix.hxx:74
void basegfx::B3DHomMatrix::scale(const class basegfx::B3DTuple &)
include/basegfx/matrix/b3dhommatrix.hxx:97
class basegfx::B3DHomMatrix & basegfx::B3DHomMatrix::operator+=(const class basegfx::B3DHomMatrix &)
include/basegfx/matrix/b3dhommatrix.hxx:98
class basegfx::B3DHomMatrix & basegfx::B3DHomMatrix::operator-=(const class basegfx::B3DHomMatrix &)
include/basegfx/matrix/b3dhommatrix.hxx:105
class basegfx::B3DHomMatrix & basegfx::B3DHomMatrix::operator*=(double)
include/basegfx/matrix/b3dhommatrix.hxx:106
class basegfx::B3DHomMatrix & basegfx::B3DHomMatrix::operator/=(double)
include/basegfx/numeric/ftools.hxx:136
double basegfx::snapToRange(double,double,double)
include/basegfx/numeric/ftools.hxx:140
double basegfx::copySign(double,double)
include/basegfx/pixel/bpixel.hxx:53
basegfx::BPixel::BPixel(unsigned char,unsigned char,unsigned char,unsigned char)
include/basegfx/pixel/bpixel.hxx:84
_Bool basegfx::BPixel::operator==(const class basegfx::BPixel &) const
include/basegfx/pixel/bpixel.hxx:89
_Bool basegfx::BPixel::operator!=(const class basegfx::BPixel &) const
include/basegfx/point/b2ipoint.hxx:70
class basegfx::B2IPoint & basegfx::B2IPoint::operator*=(const class basegfx::B2IPoint &)
include/basegfx/point/b2ipoint.hxx:79
class basegfx::B2IPoint & basegfx::B2IPoint::operator*=(int)
include/basegfx/point/b2ipoint.hxx:96
class basegfx::B2IPoint & basegfx::B2IPoint::operator*=(const class basegfx::B2DHomMatrix &)
include/basegfx/point/b3dpoint.hxx:75
class basegfx::B3DPoint & basegfx::B3DPoint::operator*=(const class basegfx::B3DPoint &)
include/basegfx/point/b3dpoint.hxx:85
class basegfx::B3DPoint & basegfx::B3DPoint::operator*=(double)
include/basegfx/polygon/b2dtrapezoid.hxx:70
class basegfx::B2DPolygon basegfx::B2DTrapezoid::getB2DPolygon() const
include/basegfx/polygon/b2dtrapezoid.hxx:102
void basegfx::utils::createLineTrapezoidFromB2DPolygon(class std::__debug::vector<class basegfx::B2DTrapezoid, class std::allocator<class basegfx::B2DTrapezoid> > &,const class basegfx::B2DPolygon &,double)
include/basegfx/polygon/b3dpolypolygon.hxx:88
void basegfx::B3DPolyPolygon::remove(unsigned int,unsigned int)
include/basegfx/polygon/b3dpolypolygon.hxx:108
class basegfx::B3DPolygon * basegfx::B3DPolyPolygon::begin()
include/basegfx/polygon/b3dpolypolygon.hxx:109
class basegfx::B3DPolygon * basegfx::B3DPolyPolygon::end()
include/basegfx/range/b1drange.hxx:50
basegfx::B1DRange::B1DRange(double)
include/basegfx/range/b1drange.hxx:72
_Bool basegfx::B1DRange::operator==(const class basegfx::B1DRange &) const
include/basegfx/range/b1drange.hxx:143
double basegfx::B1DRange::clamp(double) const
include/basegfx/range/b2dpolyrange.hxx:64
_Bool basegfx::B2DPolyRange::operator!=(const class basegfx::B2DPolyRange &) const
include/basegfx/range/b2drange.hxx:277
class basegfx::B2DTuple basegfx::B2DRange::clamp(const class basegfx::B2DTuple &) const
include/basegfx/range/b2drange.hxx:297
const class basegfx::B2DRange & basegfx::B2DRange::getUnitB2DRange()
include/basegfx/range/b2drange.hxx:308
class basegfx::B2DRange basegfx::operator*(const class basegfx::B2DHomMatrix &,const class basegfx::B2DRange &)
include/basegfx/range/b2ibox.hxx:61
basegfx::B2IBox::B2IBox()
include/basegfx/range/b2ibox.hxx:64
basegfx::B2IBox::B2IBox(const class basegfx::B2ITuple &)
include/basegfx/range/b2ibox.hxx:83
basegfx::B2IBox::B2IBox(const class basegfx::B2ITuple &,const class basegfx::B2ITuple &)
include/basegfx/range/b2ibox.hxx:101
_Bool basegfx::B2IBox::operator==(const class basegfx::B2IBox &) const
include/basegfx/range/b2ibox.hxx:107
_Bool basegfx::B2IBox::operator!=(const class basegfx::B2IBox &) const
include/basegfx/range/b2ibox.hxx:150
_Bool basegfx::B2IBox::isInside(const class basegfx::B2ITuple &) const
include/basegfx/range/b2ibox.hxx:166
void basegfx::B2IBox::intersect(const class basegfx::B2IBox &)
include/basegfx/range/b2irange.hxx:196
void basegfx::B2IRange::expand(const class basegfx::B2IRange &)
include/basegfx/range/b2irange.hxx:209
class basegfx::B2ITuple basegfx::B2IRange::clamp(const class basegfx::B2ITuple &) const
include/basegfx/range/b3drange.hxx:97
_Bool basegfx::B3DRange::operator!=(const class basegfx::B3DRange &) const
include/basegfx/range/b3drange.hxx:198
class basegfx::B3DTuple basegfx::B3DRange::clamp(const class basegfx::B3DTuple &) const
include/basegfx/range/b3drange.hxx:218
const class basegfx::B3DRange & basegfx::B3DRange::getUnitB3DRange()
include/basegfx/range/b3drange.hxx:223
class basegfx::B3DRange basegfx::operator*(const class basegfx::B3DHomMatrix &,const class basegfx::B3DRange &)
include/basegfx/tuple/b3ituple.hxx:43
basegfx::B3ITuple::B3ITuple()
include/basegfx/tuple/b3ituple.hxx:66
const int & basegfx::B3ITuple::operator[](int) const
include/basegfx/tuple/b3ituple.hxx:75
int & basegfx::B3ITuple::operator[](int)
include/basegfx/tuple/Tuple2D.hxx:79
_Bool basegfx::Tuple2D::equal(const class basegfx::Tuple2D<double> &) const
include/basegfx/tuple/Tuple2D.hxx:79
_Bool basegfx::Tuple2D::equal(const class basegfx::Tuple2D<int> &) const
include/basegfx/tuple/Tuple2D.hxx:79
_Bool basegfx::Tuple2D::equal(const class basegfx::Tuple2D<long> &) const
include/basegfx/utils/b2dclipstate.hxx:72
_Bool basegfx::utils::B2DClipState::operator!=(const class basegfx::utils::B2DClipState &) const
include/basegfx/utils/unopolypolygon.hxx:88
const class basegfx::B2DPolyPolygon & basegfx::unotools::UnoPolyPolygon::getPolyPolygonUnsafe() const
include/basegfx/vector/b2ivector.hxx:73
class basegfx::B2IVector & basegfx::B2IVector::operator*=(const class basegfx::B2IVector &)
include/basegfx/vector/b2ivector.hxx:82
class basegfx::B2IVector & basegfx::B2IVector::operator*=(int)
include/basegfx/vector/b2ivector.hxx:116
class basegfx::B2IVector & basegfx::B2IVector::operator*=(const class basegfx::B2DHomMatrix &)
include/basegfx/vector/b3dvector.hxx:75
class basegfx::B3DVector & basegfx::B3DVector::operator*=(const class basegfx::B3DVector &)
include/basic/sbxvar.hxx:138
struct SbxValues * SbxValue::data()
include/codemaker/commoncpp.hxx:47
class rtl::OString codemaker::cpp::translateUnoToCppType(enum codemaker::UnoType::Sort,class std::basic_string_view<char16_t, struct std::char_traits<char16_t> >)
include/codemaker/global.hxx:53
class FileStream & operator<<(class FileStream &,const class rtl::OString *)
include/codemaker/global.hxx:55
class FileStream & operator<<(class FileStream &,const class rtl::OStringBuffer *)
include/codemaker/global.hxx:56
class FileStream & operator<<(class FileStream &,const class rtl::OStringBuffer &)
include/comphelper/asyncquithandler.hxx:45
_Bool AsyncQuitHandler::IsForceQuit() const
include/comphelper/automationinvokedzone.hxx:26
comphelper::Automation::AutomationInvokedZone::AutomationInvokedZone()
include/comphelper/basicio.hxx:52
const class com::sun::star::uno::Reference<class com::sun::star::io::XObjectInputStream> & comphelper::operator>>(const class com::sun::star::uno::Reference<class com::sun::star::io::XObjectInputStream> &,unsigned int &)
include/comphelper/basicio.hxx:53
const class com::sun::star::uno::Reference<class com::sun::star::io::XObjectOutputStream> & comphelper::operator<<(const class com::sun::star::uno::Reference<class com::sun::star::io::XObjectOutputStream> &,unsigned int)
include/comphelper/configuration.hxx:250
type-parameter-?-? comphelper::ConfigurationLocalizedProperty::get(const class com::sun::star::uno::Reference<class com::sun::star::uno::XComponentContext> &)
include/comphelper/configuration.hxx:266
void comphelper::ConfigurationLocalizedProperty::set(const type-parameter-?-? &,const class std::shared_ptr<class comphelper::ConfigurationChanges> &)
include/comphelper/configuration.hxx:302
class com::sun::star::uno::Reference<class com::sun::star::container::XHierarchicalNameReplace> comphelper::ConfigurationGroup::get(const class std::shared_ptr<class comphelper::ConfigurationChanges> &)
include/comphelper/flagguard.hxx:33
ValueRestorationGuard_Impl<T> comphelper::<deduction guide for ValueRestorationGuard_Impl>(ValueRestorationGuard_Impl<T>)
include/comphelper/flagguard.hxx:37
ValueRestorationGuard_Impl<T> comphelper::<deduction guide for ValueRestorationGuard_Impl>(type-parameter-?-? &)
include/comphelper/flagguard.hxx:46
ValueRestorationGuard<T> comphelper::<deduction guide for ValueRestorationGuard>(ValueRestorationGuard<T>)
include/comphelper/flagguard.hxx:50
comphelper::ValueRestorationGuard::ValueRestorationGuard(_Bool &,type-parameter-?-? &&)
include/comphelper/flagguard.hxx:50
comphelper::ValueRestorationGuard::ValueRestorationGuard(long &,type-parameter-?-? &&)
include/comphelper/flagguard.hxx:50
comphelper::ValueRestorationGuard::ValueRestorationGuard(unsigned char &,type-parameter-?-? &&)
include/comphelper/flagguard.hxx:50
ValueRestorationGuard<T> comphelper::<deduction guide for ValueRestorationGuard>(type-parameter-?-? &,type-parameter-?-? &&)
include/comphelper/interfacecontainer3.hxx:50
OInterfaceIteratorHelper3<ListenerT> comphelper::<deduction guide for OInterfaceIteratorHelper3>(OInterfaceIteratorHelper3<ListenerT>)
include/comphelper/interfacecontainer3.hxx:65
OInterfaceIteratorHelper3<ListenerT> comphelper::<deduction guide for OInterfaceIteratorHelper3>(OInterfaceContainerHelper3<type-parameter-?-?> &)
include/comphelper/interfacecontainer3.hxx:84
void comphelper::OInterfaceIteratorHelper3::remove()
include/comphelper/interfacecontainer3.hxx:91
OInterfaceIteratorHelper3<ListenerT> comphelper::<deduction guide for OInterfaceIteratorHelper3>(const OInterfaceIteratorHelper3<ListenerT> &)
include/comphelper/interfacecontainer3.hxx:132
int comphelper::OInterfaceContainerHelper3::getLength() const
include/comphelper/interfacecontainer3.hxx:137
vector<Reference<type-parameter-?-?>, allocator<Reference<type-parameter-?-?> > > comphelper::OInterfaceContainerHelper3::getElements() const
include/comphelper/interfacecontainer3.hxx:168
void comphelper::OInterfaceContainerHelper3::disposeAndClear(const struct com::sun::star::lang::EventObject &)
include/comphelper/interfacecontainer3.hxx:172
void comphelper::OInterfaceContainerHelper3::clear()
include/comphelper/interfacecontainer3.hxx:184
void comphelper::OInterfaceContainerHelper3::forEach(const type-parameter-?-? &)
include/comphelper/interfacecontainer3.hxx:207
void comphelper::OInterfaceContainerHelper3::notifyEach(void (class com::sun::star::document::XEventListener::*)(const type-parameter-?-? &),const type-parameter-?-? &)
include/comphelper/interfacecontainer3.hxx:207
void comphelper::OInterfaceContainerHelper3::notifyEach(void (type-parameter-?-?::*)(const type-parameter-?-? &),const type-parameter-?-? &)
include/comphelper/interfacecontainer3.hxx:226
comphelper::OInterfaceContainerHelper3::NotifySingleListener::NotifySingleListener<EventT>(void (type-parameter-?-?::*)(const type-parameter-?-? &),const type-parameter-?-? &)
include/comphelper/interfacecontainer3.hxx:232
void comphelper::OInterfaceContainerHelper3::NotifySingleListener::operator()(const Reference<type-parameter-?-?> &) const
include/comphelper/logging.hxx:58
class rtl::OUString comphelper::log::convert::convertLogArgToString(char16_t)
include/comphelper/logging.hxx:225
void comphelper::EventLogger::log(const int,const char *,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:246
void comphelper::EventLogger::log(const int,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:258
void comphelper::EventLogger::log(const int,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:271
void comphelper::EventLogger::log(const int,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:295
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?) const
include/comphelper/logging.hxx:304
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:314
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:325
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:337
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:350
void comphelper::EventLogger::logp(const int,const char *,const char *,const class rtl::OUString &,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:374
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?) const
include/comphelper/logging.hxx:383
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:393
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:404
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:416
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/logging.hxx:429
void comphelper::EventLogger::logp(const int,const char *,const char *,const char *,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?,type-parameter-?-?) const
include/comphelper/lok.hxx:48
_Bool comphelper::LibreOfficeKit::isLocalRendering()
include/comphelper/profilezone.hxx:54
comphelper::ProfileZone::ProfileZone(const char *,const class std::__debug::map<class rtl::OUString, class rtl::OUString, struct std::less<class rtl::OUString>, class std::allocator<struct std::pair<const class rtl::OUString, class rtl::OUString> > > &)
include/comphelper/propagg.hxx:60
_Bool comphelper::internal::OPropertyAccessor::operator==(const struct comphelper::internal::OPropertyAccessor &) const
include/comphelper/propagg.hxx:61
_Bool comphelper::internal::OPropertyAccessor::operator<(const struct comphelper::internal::OPropertyAccessor &) const
include/comphelper/proparrhlp.hxx:83
class cppu::IPropertyArrayHelper * comphelper::OAggregationArrayUsageHelper::createArrayHelper() const
include/comphelper/PropertyInfoHash.hxx:36
comphelper::PropertyInfo::PropertyInfo(const class rtl::OUString &,int,const class com::sun::star::uno::Type &,short)
include/comphelper/scopeguard.hxx:52
ScopeGuard<Func> comphelper::<deduction guide for ScopeGuard>(ScopeGuard<Func>)
include/comphelper/scopeguard.hxx:57
ScopeGuard<Func> comphelper::<deduction guide for ScopeGuard>(type-parameter-?-? &&)
include/comphelper/scopeguard.hxx:84
ScopeGuard<Func> comphelper::<deduction guide for ScopeGuard>(const ScopeGuard<Func> &)
include/comphelper/sequence.hxx:200
Sequence<type-parameter-?-?> comphelper::containerToSequence(type-parameter-?-? const (&)[N])
include/comphelper/sequence.hxx:200
Sequence<type-parameter-?-?> comphelper::containerToSequence(type-parameter-?-? const (&)[S])
include/comphelper/servicedecl.hxx:107
comphelper::service_decl::ServiceDecl::ServiceDecl(const type-parameter-?-? &,const char *,const char *)
include/comphelper/traceevent.hxx:215
void comphelper::AsyncEvent::finish()
include/comphelper/unique_disposing_ptr.hxx:46
type-parameter-?-? & comphelper::unique_disposing_ptr::operator*() const
include/comphelper/unwrapargs.hxx:51
void comphelper::detail::unwrapArgs(const class com::sun::star::uno::Sequence<class com::sun::star::uno::Any> &,int,const class com::sun::star::uno::Reference<class com::sun::star::uno::XInterface> &)
include/connectivity/dbcharset.hxx:137
const class dbtools::OCharsetMap::CharsetIterator & dbtools::OCharsetMap::CharsetIterator::operator--()
include/connectivity/FValue.hxx:318
unsigned short connectivity::ORowSetValue::operator unsigned short() const
include/connectivity/FValue.hxx:387
unsigned char connectivity::ORowSetValue::getUInt8() const
include/connectivity/FValue.hxx:469
connectivity::TSetBound::TSetBound(_Bool)
include/connectivity/FValue.hxx:470
void connectivity::TSetBound::operator()(class connectivity::ORowSetValue &) const
include/connectivity/sqlparse.hxx:186
class rtl::OUString connectivity::OSQLParser::RuleIDToStr(unsigned int)
include/desktop/crashreport.hxx:104
class rtl::OUString CrashReporter::getActiveSfxObjectName()
include/desktop/crashreport.hxx:109
class rtl::OUString CrashReporter::getLoggedUnoCommands()
include/drawinglayer/geometry/viewinformation2d.hxx:138
_Bool drawinglayer::geometry::ViewInformation2D::operator!=(const class drawinglayer::geometry::ViewInformation2D &) const
include/drawinglayer/primitive2d/baseprimitive2d.hxx:133
_Bool drawinglayer::primitive2d::BasePrimitive2D::operator!=(const class drawinglayer::primitive2d::BasePrimitive2D &) const
include/drawinglayer/primitive2d/softedgeprimitive2d.hxx:39
void drawinglayer::primitive2d::SoftEdgePrimitive2D::setMaskGeneration(_Bool) const
include/drawinglayer/primitive3d/baseprimitive3d.hxx:112
_Bool drawinglayer::primitive3d::BasePrimitive3D::operator!=(const class drawinglayer::primitive3d::BasePrimitive3D &) const
include/drawinglayer/tools/primitive2dxmldump.hxx:45
void drawinglayer::Primitive2dXmlDump::dump(const class drawinglayer::primitive2d::Primitive2DContainer &,const class rtl::OUString &)
include/editeng/editeng.hxx:241
_Bool EditEngine::GetDirectVertical() const
include/editeng/editeng.hxx:243
enum TextRotation EditEngine::GetRotation() const
include/editeng/editeng.hxx:472
_Bool EditEngine::(anonymous)::__invoke(const class SvxFieldData *)
include/editeng/hyphenzoneitem.hxx:64
_Bool SvxHyphenZoneItem::IsPageEnd() const
include/editeng/outliner.hxx:884
_Bool Outliner::(anonymous)::__invoke(const class SvxFieldData *)
include/filter/msfilter/mstoolbar.hxx:103
Indent::Indent(_Bool)
include/formula/opcode.hxx:522
class std::__cxx11::basic_string<char, struct std::char_traits<char>, class std::allocator<char> > OpCodeEnumToString(enum OpCode)
include/formula/tokenarray.hxx:182
class formula::FormulaTokenArrayReferencesIterator formula::FormulaTokenArrayReferencesIterator::operator++(int)
include/formula/tokenarray.hxx:577
basic_ostream<type-parameter-?-?, type-parameter-?-?> & formula::operator<<(basic_ostream<type-parameter-?-?, type-parameter-?-?> &,const class formula::FormulaTokenArray &)
include/framework/addonsoptions.hxx:195
class rtl::OUString framework::AddonsOptions::GetAddonsNotebookBarResourceName(unsigned int) const
include/framework/addonsoptions.hxx:220
_Bool framework::AddonsOptions::GetMergeNotebookBarInstructions(const class rtl::OUString &,class std::__debug::vector<struct framework::MergeNotebookBarInstruction, class std::allocator<struct framework::MergeNotebookBarInstruction> > &) const
include/i18nlangtag/languagetag.hxx:269
enum LanguageTag::ScriptType LanguageTag::getScriptType() const
include/o3tl/any.hxx:155
class std::optional<const struct o3tl::detail::Void> o3tl::tryAccess(const class com::sun::star::uno::Any &)
include/o3tl/cow_wrapper.hxx:322
type-parameter-?-? * o3tl::cow_wrapper::get()
include/o3tl/enumarray.hxx:105
typename type-parameter-?-?::value_type * o3tl::enumarray_iterator::operator->() const
include/o3tl/enumarray.hxx:130
const typename type-parameter-?-?::value_type * o3tl::enumarray_const_iterator::operator->() const
include/o3tl/enumarray.hxx:133
_Bool o3tl::enumarray_const_iterator::operator==(const enumarray_const_iterator<EA> &) const
include/o3tl/hash_combine.hxx:15
typename enable_if<(sizeof(N) == 4), void>::type o3tl::hash_combine(type-parameter-?-? &,const type-parameter-?-? &)
include/o3tl/safeint.hxx:80
typename enable_if<std::is_unsigned<T>::value, type-parameter-?-?>::type o3tl::saturating_sub(type-parameter-?-?,type-parameter-?-?)
include/o3tl/sorted_vector.hxx:225
_Bool o3tl::sorted_vector::operator!=(const sorted_vector<Value, Compare, Find, > &) const
include/o3tl/span.hxx:51
o3tl::span::span(int (&)[N])
include/o3tl/span.hxx:51
o3tl::span::span(int const (&)[N])
include/o3tl/span.hxx:51
o3tl::span::span(struct XMLPropertyState (&)[N])
include/o3tl/span.hxx:51
o3tl::span::span(unsigned short const (&)[N])
include/o3tl/strong_int.hxx:86
o3tl::strong_int::strong_int(type-parameter-?-?,typename enable_if<std::is_integral<T>::value, int>::type)
include/o3tl/strong_int.hxx:112
strong_int<UNDERLYING_TYPE, PHANTOM_TYPE> o3tl::strong_int::operator--(int)
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<int, struct Degree100Tag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<int, struct Tag_TextFrameIndex>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<int, struct ViewShellDocIdTag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<int, struct ViewShellIdTag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<short, struct Degree10Tag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<unsigned char, struct SdrLayerIDTag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<unsigned short, struct LanguageTypeTag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<unsigned short, struct SfxInterfaceIdTag>,type-parameter-?-?...) const
include/o3tl/strong_int.hxx:132
_Bool o3tl::strong_int::anyOf(struct o3tl::strong_int<unsigned short, struct ToolBoxItemIdTag>,type-parameter-?-?...) const
include/o3tl/typed_flags_set.hxx:113
typename typed_flags<type-parameter-?-?>::Wrap operator~(typename typed_flags<type-parameter-?-?>::Wrap)
include/o3tl/typed_flags_set.hxx:146
typename typed_flags<type-parameter-?-?>::Wrap operator^(typename typed_flags<type-parameter-?-?>::Wrap,type-parameter-?-?)
include/o3tl/typed_flags_set.hxx:313
typename typed_flags<type-parameter-?-?>::Self operator^=(type-parameter-?-? &,typename typed_flags<type-parameter-?-?>::Wrap)
include/o3tl/vector_pool.hxx:83
o3tl::detail::struct_from_value::type::type()
include/oox/export/DMLPresetShapeExport.hxx:100
_Bool oox::drawingml::DMLPresetShapeExporter::HasHandleValue()
include/oox/export/DMLPresetShapeExport.hxx:127
class com::sun::star::uno::Any oox::drawingml::DMLPresetShapeExporter::FindHandleValue(class com::sun::star::uno::Sequence<struct com::sun::star::beans::PropertyValue>,class std::basic_string_view<char16_t, struct std::char_traits<char16_t> >)
include/oox/helper/containerhelper.hxx:51
_Bool oox::ValueRange::operator!=(const struct oox::ValueRange &) const
include/oox/helper/containerhelper.hxx:99
oox::Matrix::Matrix<Type>(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type,typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type,typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::const_reference)
include/oox/helper/containerhelper.hxx:110
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::iterator oox::Matrix::at(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type,typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type)
include/oox/helper/containerhelper.hxx:113
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::reference oox::Matrix::operator()(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type,typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type)
include/oox/helper/containerhelper.hxx:117
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::const_iterator oox::Matrix::begin() const
include/oox/helper/containerhelper.hxx:119
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::const_iterator oox::Matrix::end() const
include/oox/helper/containerhelper.hxx:121
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::iterator oox::Matrix::row_begin(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type)
include/oox/helper/containerhelper.hxx:123
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::iterator oox::Matrix::row_end(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type)
include/oox/helper/containerhelper.hxx:126
typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::reference oox::Matrix::row_front(typename vector<type-parameter-?-?, allocator<type-parameter-?-?> >::size_type)
include/oox/helper/propertymap.hxx:113
void oox::PropertyMap::dumpCode(const class com::sun::star::uno::Reference<class com::sun::star::beans::XPropertySet> &)
include/oox/helper/propertymap.hxx:114
void oox::PropertyMap::dumpData(const class com::sun::star::uno::Reference<class com::sun::star::beans::XPropertySet> &)
include/opencl/openclconfig.hxx:57
_Bool OpenCLConfig::ImplMatcher::operator!=(const struct OpenCLConfig::ImplMatcher &) const
include/sax/fshelper.hxx:126
void sax_fastparser::FastSerializerHelper::singleElementNS(int,int,const class rtl::Reference<class sax_fastparser::FastAttributeList> &)
include/sax/fshelper.hxx:130
void sax_fastparser::FastSerializerHelper::startElementNS(int,int,const class rtl::Reference<class sax_fastparser::FastAttributeList> &)
include/sax/tools/converter.hxx:198
_Bool sax::Converter::convertAngle(short &,class std::basic_string_view<char16_t, struct std::char_traits<char16_t> >,_Bool)
include/sfx2/childwin.hxx:121
void SfxChildWindow::ClearController()
include/sfx2/docfilt.hxx:81
_Bool SfxFilter::GetGpgEncryption() const
include/sfx2/evntconf.hxx:60
struct SfxEventName & SfxEventNamesList::at(unsigned long)
include/sfx2/infobar.hxx:104
void SfxInfoBarWindow::SetCommandHandler(class weld::Button &,const class rtl::OUString &)
include/sfx2/listview.hxx:58
void ListView::remove(const class rtl::OUString &)
include/sfx2/lokcharthelper.hxx:43
void LokChartHelper::Invalidate()
include/sfx2/msg.hxx:120
const class std::type_info * SfxType0::Type() const
include/sfx2/templatedlg.hxx:64
void SfxTemplateManagerDlg::ExportActionHdl()
include/sfx2/templatedlg.hxx:161
void SfxTemplateCategoryDialog::HideNewCategoryOption()
include/sfx2/templatedlg.hxx:165
void SfxTemplateCategoryDialog::SetSelectLabelText(const class rtl::OUString &) const
include/sfx2/templatelocalview.hxx:113
_Bool TemplateLocalView::moveTemplate(const class ThumbnailViewItem *,const unsigned short,const unsigned short)
include/sfx2/thumbnailview.hxx:232
void ThumbnailView::SetMultiSelectionEnabled(_Bool)
include/sfx2/viewsh.hxx:378
enum LOKDeviceFormFactor SfxViewShell::GetLOKDeviceFormFactor() const
include/sfx2/viewsh.hxx:380
_Bool SfxViewShell::isLOKDesktop() const
include/svl/itemiter.hxx:45
_Bool SfxItemIter::IsAtEnd() const
include/svl/itempool.hxx:102
enum MapUnit SfxItemPool::GetDefaultMetric() const
include/svl/itempool.hxx:157
const type-parameter-?-? * SfxItemPool::GetItem2Default(TypedWhichId<type-parameter-?-?>) const
include/svl/itempool.hxx:195
void SfxItemPool::dumpAsXml(struct _xmlTextWriter *) const
include/svl/lockfilecommon.hxx:60
void svt::LockFileCommon::SetURL(const class rtl::OUString &)
include/svl/poolitem.hxx:168
type-parameter-?-? * SfxPoolItem::DynamicWhichCast(TypedWhichId<type-parameter-?-?>)
include/svtools/asynclink.hxx:43
void svtools::AsynchronLink::LinkStubHandleCall_Idle(void *,class Timer *)
include/svtools/DocumentToGraphicRenderer.hxx:105
_Bool DocumentToGraphicRenderer::isImpress() const
include/svtools/HtmlWriter.hxx:46
void HtmlWriter::writeAttribute(class SvStream &,class std::basic_string_view<char, struct std::char_traits<char> >,int)
include/svx/autoformathelper.hxx:145
_Bool AutoFormatBase::operator==(const class AutoFormatBase &) const
include/svx/ClassificationDialog.hxx:86
void svx::ClassificationDialog::(anonymous)::__invoke()
include/svx/ClassificationField.hxx:47
const class rtl::OUString & svx::ClassificationResult::getDisplayText() const
include/svx/ClassificationField.hxx:52
_Bool svx::ClassificationResult::operator==(const class svx::ClassificationResult &) const
include/svx/DiagramDataInterface.hxx:33
class rtl::OUString DiagramDataInterface::getString() const
include/svx/dlgctrl.hxx:265
void SvxLineEndLB::set_active_text(const class rtl::OUString &)
include/svx/framelink.hxx:168
_Bool svx::frame::operator>(const class svx::frame::Style &,const class svx::frame::Style &)
include/svx/gallery1.hxx:56
const class std::unique_ptr<class GalleryBinaryEngineEntry, struct std::default_delete<class GalleryBinaryEngineEntry> > & GalleryThemeEntry::getGalleryStorageEngineEntry() const
include/svx/gallerybinaryengine.hxx:59
const class INetURLObject & GalleryBinaryEngine::GetStrURL() const
include/svx/sidebar/InspectorTextPanel.hxx:49
class std::unique_ptr<class PanelLayout, struct std::default_delete<class PanelLayout> > svx::sidebar::InspectorTextPanel::Create(class weld::Widget *)
include/svx/svdlayer.hxx:74
_Bool SdrLayer::operator==(const class SdrLayer &) const
include/svx/svdpntv.hxx:448
_Bool SdrPaintView::IsSwapAsynchron() const
include/svx/svdtrans.hxx:255
_Bool IsMetric(enum MapUnit)
include/svx/txencbox.hxx:92
void SvxTextEncodingBox::grab_focus()
include/svx/txencbox.hxx:146
void SvxTextEncodingTreeView::connect_changed(const class Link<class weld::TreeView &, void> &)
include/svx/xpoly.hxx:83
_Bool XPolygon::operator==(const class XPolygon &) const
include/tools/bigint.hxx:76
BigInt::BigInt(unsigned int)
include/tools/bigint.hxx:82
unsigned short BigInt::operator unsigned short() const
include/tools/bigint.hxx:84
unsigned int BigInt::operator unsigned int() const
include/tools/bigint.hxx:109
class BigInt operator-(const class BigInt &,const class BigInt &)
include/tools/bigint.hxx:112
class BigInt operator%(const class BigInt &,const class BigInt &)
include/tools/bigint.hxx:115
_Bool operator!=(const class BigInt &,const class BigInt &)
include/tools/bigint.hxx:118
_Bool operator<=(const class BigInt &,const class BigInt &)
include/tools/color.hxx:32
unsigned int color::extractRGB(unsigned int)
include/tools/color.hxx:92
Color::Color(enum ColorAlphaTag,unsigned int)
include/tools/color.hxx:247
_Bool Color::operator>(const class Color &) const
include/tools/cpuid.hxx:61
_Bool cpuid::hasSSSE3()
include/tools/cpuid.hxx:68
_Bool cpuid::hasAVX2()
include/tools/date.hxx:218
_Bool Date::operator>=(const class Date &) const
include/tools/datetime.hxx:47
DateTime::DateTime(const class tools::Time &)
include/tools/datetime.hxx:88
class DateTime operator-(const class DateTime &,int)
include/tools/datetime.hxx:90
class DateTime operator-(const class DateTime &,double)
include/tools/datetime.hxx:92
class DateTime operator+(const class DateTime &,const class tools::Time &)
include/tools/datetime.hxx:93
class DateTime operator-(const class DateTime &,const class tools::Time &)
include/tools/fract.hxx:68
class Fraction & Fraction::operator+=(double)
include/tools/fract.hxx:69
class Fraction & Fraction::operator-=(double)
include/tools/fract.hxx:85
_Bool operator>=(const class Fraction &,const class Fraction &)
include/tools/fract.hxx:101
class Fraction operator+(const class Fraction &,double)
include/tools/fract.hxx:102
class Fraction operator-(const class Fraction &,double)
include/tools/fract.hxx:104
class Fraction operator/(const class Fraction &,double)
include/tools/gen.hxx:227
class Size & Size::operator+=(const class Size &)
include/tools/gen.hxx:228
class Size & Size::operator-=(const class Size &)
include/tools/gen.hxx:229
class Size & Size::operator*=(const long)
include/tools/gen.hxx:230
class Size & Size::operator/=(const long)
include/tools/gen.hxx:232
class Size operator+(const class Size &,const class Size &)
include/tools/gen.hxx:233
class Size operator-(const class Size &,const class Size &)
include/tools/gen.hxx:234
class Size operator*(const class Size &,const long)
include/tools/gen.hxx:235
class Size operator/(const class Size &,const long)
include/tools/gen.hxx:344
class Pair & Range::toPair()
include/tools/gen.hxx:411
class Pair & Selection::toPair()
include/tools/link.hxx:134
const char * Link::getSourceFilename() const
include/tools/link.hxx:135
int Link::getSourceLineNumber() const
include/tools/link.hxx:136
const char * Link::getTargetName() const
include/tools/poly.hxx:160
_Bool tools::Polygon::operator!=(const class tools::Polygon &) const
include/tools/poly.hxx:248
_Bool tools::PolyPolygon::operator!=(const class tools::PolyPolygon &) const
include/tools/simd.hxx:21
type-parameter-?-? simd::roundDown(type-parameter-?-?,unsigned int)
include/tools/stream.hxx:508
class rtl::OString read_uInt32_lenPrefixed_uInt8s_ToOString(class SvStream &)
include/tools/urlobj.hxx:448
_Bool INetURLObject::SetHost(const class rtl::OUString &)
include/tools/urlobj.hxx:947
int INetURLObject::SubString::set(class rtl::OUString &,const class rtl::OUString &)
include/tools/weakbase.h:110
_Bool tools::WeakReference::operator==(const type-parameter-?-? *) const
include/tools/weakbase.h:119
_Bool tools::WeakReference::operator<(const WeakReference<reference_type> &) const
include/tools/weakbase.h:122
_Bool tools::WeakReference::operator>(const WeakReference<reference_type> &) const
include/tools/XmlWriter.hxx:61
void tools::XmlWriter::element(const class rtl::OString &)
include/unotest/directories.hxx:46
class rtl::OUString test::Directories::getPathFromWorkdir(class std::basic_string_view<char16_t, struct std::char_traits<char16_t> >) const
include/unotools/localedatawrapper.hxx:240
const class rtl::OUString & LocaleDataWrapper::getLongDateYearSep() const
include/unotools/moduleoptions.hxx:165
_Bool SvtModuleOptions::IsDataBase() const
include/unotools/textsearch.hxx:121
basic_ostream<type-parameter-?-?, type-parameter-?-?> & utl::operator<<(basic_ostream<type-parameter-?-?, type-parameter-?-?> &,const enum utl::SearchParam::SearchType &)
include/unotools/weakref.hxx:66
unotools::WeakReference::WeakReference<interface_type>(const Reference<type-parameter-?-?> &)
include/unotools/weakref.hxx:75
unotools::WeakReference::WeakReference<interface_type>(type-parameter-?-? &)
include/unotools/weakref.hxx:127
Reference<type-parameter-?-?> unotools::WeakReference::operator Reference<type-parameter-?-?>() const
include/vcl/alpha.hxx:46
_Bool AlphaMask::operator==(const class AlphaMask &) const
include/vcl/alpha.hxx:47
_Bool AlphaMask::operator!=(const class AlphaMask &) const
include/vcl/animate/Animation.hxx:40
_Bool Animation::operator!=(const class Animation &) const
include/vcl/animate/AnimationBitmap.hxx:68
_Bool AnimationBitmap::operator!=(const struct AnimationBitmap &) const
include/vcl/BitmapBasicMorphologyFilter.hxx:63
BitmapDilateFilter::BitmapDilateFilter(int,unsigned char)
include/vcl/BitmapReadAccess.hxx:86
class BitmapColor BitmapReadAccess::GetPixel(const class Point &) const
include/vcl/BitmapReadAccess.hxx:103
unsigned char BitmapReadAccess::GetPixelIndex(const class Point &) const
include/vcl/builder.hxx:105
const class rtl::OString & VclBuilder::getUIFile() const
include/vcl/builder.hxx:331
void VclBuilder::connectNumericFormatterAdjustment(const class rtl::OString &,const class rtl::OUString &)
include/vcl/builderpage.hxx:36
void BuilderPage::SetHelpId(const class rtl::OString &)
include/vcl/ColorMask.hxx:110
void ColorMask::GetColorFor16BitMSB(class BitmapColor &,const unsigned char *) const
include/vcl/ColorMask.hxx:111
void ColorMask::SetColorFor16BitMSB(const class BitmapColor &,unsigned char *) const
include/vcl/ColorMask.hxx:113
void ColorMask::SetColorFor16BitLSB(const class BitmapColor &,unsigned char *) const
include/vcl/commandevent.hxx:249
CommandMediaData::CommandMediaData(enum MediaCommand)
include/vcl/commandevent.hxx:256
_Bool CommandMediaData::GetPassThroughToOS() const
include/vcl/commandevent.hxx:276
CommandSwipeData::CommandSwipeData()
include/vcl/commandevent.hxx:293
CommandLongPressData::CommandLongPressData()
include/vcl/cursor.hxx:96
_Bool vcl::Cursor::operator!=(const class vcl::Cursor &) const
include/vcl/customweld.hxx:45
class rtl::OUString weld::CustomWidgetController::GetHelpText() const
include/vcl/customweld.hxx:86
class Point weld::CustomWidgetController::GetPointerPosPixel() const
include/vcl/customweld.hxx:166
void weld::CustomWeld::queue_draw_area(int,int,int,int)
include/vcl/customweld.hxx:181
void weld::CustomWeld::set_visible(_Bool)
include/vcl/customweld.hxx:185
void weld::CustomWeld::set_tooltip_text(const class rtl::OUString &)
include/vcl/errcode.hxx:86
_Bool ErrCode::operator<(const class ErrCode &) const
include/vcl/errcode.hxx:87
_Bool ErrCode::operator<=(const class ErrCode &) const
include/vcl/errcode.hxx:88
_Bool ErrCode::operator>(const class ErrCode &) const
include/vcl/errcode.hxx:89
_Bool ErrCode::operator>=(const class ErrCode &) const
include/vcl/fieldvalues.hxx:53
double vcl::ConvertDoubleValue(long,long,unsigned short,enum FieldUnit,enum FieldUnit)
include/vcl/filter/pdfdocument.hxx:119
const class std::__debug::vector<class vcl::filter::PDFReferenceElement *, class std::allocator<class vcl::filter::PDFReferenceElement *> > & vcl::filter::PDFObjectElement::GetDictionaryReferences() const
include/vcl/filter/pdfdocument.hxx:128
unsigned long vcl::filter::PDFObjectElement::GetArrayLength() const
include/vcl/filter/pdfdocument.hxx:188
class vcl::filter::PDFNumberElement & vcl::filter::PDFReferenceElement::GetObjectElement() const
include/vcl/filter/pdfdocument.hxx:548
class std::__debug::vector<unsigned char, class std::allocator<unsigned char> > vcl::filter::PDFDocument::DecodeHexString(const class vcl::filter::PDFHexStringElement *)
include/vcl/filter/PDFiumLibrary.hxx:56
const class rtl::OUString & vcl::pdf::PDFium::getLastError() const
include/vcl/filter/PDFiumLibrary.hxx:91
class std::unique_ptr<class vcl::pdf::PDFiumPageObject, struct std::default_delete<class vcl::pdf::PDFiumPageObject> > vcl::pdf::PDFiumAnnotation::getObject(int)
include/vcl/filter/PDFiumLibrary.hxx:97
class basegfx::B2DVector vcl::pdf::PDFiumAnnotation::getBorderCornerRadius()
include/vcl/gdimtf.hxx:111
_Bool GDIMetaFile::operator!=(const class GDIMetaFile &) const
include/vcl/gdimtf.hxx:204
void GDIMetaFile::dumpAsXml(const char *) const
include/vcl/gradient.hxx:84
_Bool Gradient::operator!=(const class Gradient &) const
include/vcl/hatch.hxx:57
_Bool Hatch::operator!=(const class Hatch &) const
include/vcl/inputctx.hxx:62
_Bool InputContext::operator!=(const class InputContext &) const
include/vcl/ITiledRenderable.hxx:216
enum PointerStyle vcl::ITiledRenderable::getPointer()
include/vcl/jsdialog/executor.hxx:46
void LOKTrigger::trigger_clicked(class weld::Button &)
include/vcl/lok.hxx:22
void vcl::lok::unregisterPollCallbacks()
include/vcl/menubarupdateicon.hxx:67
MenuBarUpdateIconManager::MenuBarUpdateIconManager()
include/vcl/menubarupdateicon.hxx:70
void MenuBarUpdateIconManager::SetShowMenuIcon(_Bool)
include/vcl/menubarupdateicon.hxx:71
void MenuBarUpdateIconManager::SetShowBubble(_Bool)
include/vcl/menubarupdateicon.hxx:72
void MenuBarUpdateIconManager::SetBubbleImage(const class Image &)
include/vcl/menubarupdateicon.hxx:73
void MenuBarUpdateIconManager::SetBubbleTitle(const class rtl::OUString &)
include/vcl/menubarupdateicon.hxx:74
void MenuBarUpdateIconManager::SetBubbleText(const class rtl::OUString &)
include/vcl/menubarupdateicon.hxx:76
void MenuBarUpdateIconManager::SetClickHdl(const class Link<class LinkParamNone *, void> &)
include/vcl/menubarupdateicon.hxx:78
_Bool MenuBarUpdateIconManager::GetShowMenuIcon() const
include/vcl/menubarupdateicon.hxx:79
_Bool MenuBarUpdateIconManager::GetShowBubble() const
include/vcl/menubarupdateicon.hxx:80
class rtl::OUString MenuBarUpdateIconManager::GetBubbleTitle() const
include/vcl/menubarupdateicon.hxx:81
class rtl::OUString MenuBarUpdateIconManager::GetBubbleText() const
include/vcl/opengl/OpenGLHelper.hxx:51
class rtl::OString OpenGLHelper::GetDigest(const class rtl::OUString &,const class rtl::OUString &,class std::basic_string_view<char, struct std::char_traits<char> >)
include/vcl/opengl/OpenGLHelper.hxx:68
void OpenGLHelper::renderToFile(long,long,const class rtl::OUString &)
include/vcl/opengl/OpenGLHelper.hxx:101
void OpenGLHelper::debugMsgStreamWarn(const class std::__cxx11::basic_ostringstream<char> &)
include/vcl/outdev.hxx:1621
class basegfx::B2DPolyPolygon OutputDevice::LogicToPixel(const class basegfx::B2DPolyPolygon &,const class MapMode &) const
include/vcl/outdev.hxx:1639
class basegfx::B2DPolyPolygon OutputDevice::PixelToLogic(const class basegfx::B2DPolyPolygon &,const class MapMode &) const
include/vcl/salnativewidgets.hxx:408
_Bool TabitemValue::isBothAligned() const
include/vcl/salnativewidgets.hxx:409
_Bool TabitemValue::isNotAligned() const
include/vcl/settings.hxx:423
void StyleSettings::SetUseFlatBorders(_Bool)
include/vcl/settings.hxx:426
void StyleSettings::SetUseFlatMenus(_Bool)
include/vcl/settings.hxx:438
void StyleSettings::SetHideDisabledMenuItems(_Bool)
include/vcl/settings.hxx:503
void StyleSettings::SetSpinSize(int)
include/vcl/settings.hxx:655
_Bool HelpSettings::operator!=(const class HelpSettings &) const
include/vcl/settings.hxx:713
_Bool AllSettings::operator!=(const class AllSettings &) const
include/vcl/split.hxx:92
void Splitter::SetHorizontal(_Bool)
include/vcl/svapp.hxx:164
ApplicationEvent::ApplicationEvent(enum ApplicationEvent::Type,const class std::__debug::vector<class rtl::OUString, class std::allocator<class rtl::OUString> > &)
include/vcl/svapp.hxx:802
void Application::AppEvent(const class ApplicationEvent &)
include/vcl/syswin.hxx:147
void SystemWindow::SetIdleDebugName(const char *)
include/vcl/TaskStopwatch.hxx:92
void TaskStopwatch::reset()
include/vcl/TaskStopwatch.hxx:103
void TaskStopwatch::setInputStop(enum VclInputFlags)
include/vcl/TaskStopwatch.hxx:104
enum VclInputFlags TaskStopwatch::inputStop() const
include/vcl/TaskStopwatch.hxx:112
unsigned int TaskStopwatch::timeSlice()
include/vcl/TaskStopwatch.hxx:113
void TaskStopwatch::setTimeSlice(unsigned int)
include/vcl/textrectinfo.hxx:48
_Bool TextRectInfo::operator!=(const class TextRectInfo &) const
include/vcl/toolkit/longcurr.hxx:47
class BigInt LongCurrencyFormatter::GetValue() const
include/vcl/toolkit/treelist.hxx:170
const class SvTreeListEntry * SvTreeList::GetParent(const class SvTreeListEntry *) const
include/vcl/toolkit/treelistbox.hxx:371
void SvTreeListBox::RemoveSelection()
include/vcl/txtattr.hxx:56
_Bool TextAttrib::operator!=(const class TextAttrib &) const
include/vcl/uitest/uiobject.hxx:288
TabPageUIObject::TabPageUIObject(const class VclPtr<class TabPage> &)
include/vcl/uitest/uiobject.hxx:296
class std::unique_ptr<class UIObject, struct std::default_delete<class UIObject> > TabPageUIObject::create(class vcl::Window *)
include/vcl/uitest/uiobject.hxx:359
SpinUIObject::SpinUIObject(const class VclPtr<class SpinButton> &)
include/vcl/uitest/uiobject.hxx:367
class std::unique_ptr<class UIObject, struct std::default_delete<class UIObject> > SpinUIObject::create(class vcl::Window *)
include/vcl/weld.hxx:183
_Bool weld::Widget::get_hexpand() const
include/vcl/weld.hxx:185
_Bool weld::Widget::get_vexpand() const
include/vcl/weld.hxx:192
int weld::Widget::get_margin_top() const
include/vcl/weld.hxx:193
int weld::Widget::get_margin_bottom() const
include/vcl/weld.hxx:412
void weld::ScrolledWindow::hadjustment_set_step_increment(int)
include/vcl/weld.hxx:545
struct SystemEnvData weld::Window::get_system_data() const
include/vcl/weld.hxx:629
class rtl::OString weld::Assistant::get_current_page_ident() const
include/vcl/weld.hxx:635
class rtl::OUString weld::Assistant::get_page_title(const class rtl::OString &) const
include/vcl/weld.hxx:1115
void weld::TreeView::set_text_align(const class weld::TreeIter &,double,int)
include/vcl/weld.hxx:1281
const class rtl::OUString & weld::TreeView::get_saved_value() const
include/vcl/weld.hxx:1375
_Bool weld::IconView::get_cursor(class weld::TreeIter *) const
include/vcl/weld.hxx:1385
void weld::IconView::select_all()
include/vcl/weld.hxx:1391
void weld::IconView::save_value()
include/vcl/weld.hxx:1392
const class rtl::OUString & weld::IconView::get_saved_value() const
include/vcl/weld.hxx:1393
_Bool weld::IconView::get_value_changed_from_saved() const
include/vcl/weld.hxx:1519
void weld::MenuButton::append_item_radio(const class rtl::OUString &,const class rtl::OUString &)
include/vcl/weld.hxx:1527
void weld::MenuButton::append_item(const class rtl::OUString &,const class rtl::OUString &,class VirtualDevice &)
include/vcl/weld.hxx:1608
class rtl::OUString weld::ProgressBar::get_text() const
include/vcl/weld.hxx:1642
int weld::Entry::get_position() const
include/vcl/weld.hxx:1818
void weld::EntryTreeView::EntryModifyHdl(const class weld::Entry &)
include/vcl/weld.hxx:2054
class Size weld::MetricSpinButton::get_size_request() const
include/vcl/weld.hxx:2066
void weld::MetricSpinButton::set_position(int)
include/vcl/weld.hxx:2167
int weld::TextView::vadjustment_get_lower() const
include/vcl/weld.hxx:2375
class rtl::OUString weld::Toolbar::get_item_label(const class rtl::OString &) const
include/vcl/weldutils.hxx:192
const class com::sun::star::uno::Reference<class com::sun::star::frame::XFrame> & weld::WidgetStatusListener::getFrame() const
include/vcl/weldutils.hxx:344
void weld::DateFormatter::CursorChangedHdl(class weld::Entry &)
include/vcl/weldutils.hxx:344
void weld::DateFormatter::LinkStubCursorChangedHdl(void *,class weld::Entry &)
include/vcl/weldutils.hxx:373
void weld::PatternFormatter::connect_focus_in(const class Link<class weld::Widget &, void> &)
include/vcl/window.hxx:388
const char * ImplDbgCheckWindow(const void *)
include/xmloff/txtimp.hxx:115
class XMLPropertyBackpatcher<short> & XMLTextImportHelper::GetFootnoteBP()
include/xmloff/txtimp.hxx:116
class XMLPropertyBackpatcher<short> & XMLTextImportHelper::GetSequenceIdBP()
include/xmloff/xmluconv.hxx:190
_Bool SvXMLUnitConverter::convertEnum(type-parameter-?-? &,class std::basic_string_view<char, struct std::char_traits<char> >,const SvXMLEnumStringMapEntry<type-parameter-?-?> *)
libreofficekit/qa/gtktiledviewer/gtv-application-window.cxx:72
void ::operator()(struct _GtkBuilder *) const
libreofficekit/qa/gtktiledviewer/gtv-comments-sidebar.cxx:31
void * gtv_comments_sidebar_get_instance_private(struct GtvCommentsSidebar *)
libreofficekit/qa/gtktiledviewer/gtv-helpers.cxx:80
void ::operator()(struct _GtkTargetList *) const
libreofficekit/qa/gtktiledviewer/gtv-signal-handlers.cxx:183
void ::operator()(struct _GList *) const
libreofficekit/qa/gtktiledviewer/gtv-signal-handlers.hxx:35
void openLokDialog(struct _GtkWidget *,void *)
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpAtomHolder>::no & detail::has_clone::check_sig()
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpBackgroundStuff>::no & detail::has_clone::check_sig()
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpBorderStuff>::no & detail::has_clone::check_sig()
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpMargins>::no & detail::has_clone::check_sig()
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpShadow>::no & detail::has_clone::check_sig()
lotuswordpro/source/filter/clone.hxx:28
detail::has_clone<class LwpSpacingCommonOverride>::no & detail::has_clone::check_sig()
o3tl/qa/cow_wrapper_clients.hxx:140
_Bool o3tltests::cow_wrapper_client4::operator==(const class o3tltests::cow_wrapper_client4 &) const
o3tl/qa/cow_wrapper_clients.hxx:141
_Bool o3tltests::cow_wrapper_client4::operator!=(const class o3tltests::cow_wrapper_client4 &) const
o3tl/qa/cow_wrapper_clients.hxx:142
_Bool o3tltests::cow_wrapper_client4::operator<(const class o3tltests::cow_wrapper_client4 &) const
o3tl/qa/cow_wrapper_clients.hxx:193
_Bool o3tltests::cow_wrapper_client5::operator!=(const class o3tltests::cow_wrapper_client5 &) const
oox/inc/drawingml/textliststyle.hxx:62
void oox::drawingml::TextListStyle::dump() const
oox/inc/drawingml/textparagraphproperties.hxx:96
void oox::drawingml::TextParagraphProperties::setLineSpacing(const class oox::drawingml::TextSpacing &)
oox/source/drawingml/diagram/diagramlayoutatoms.hxx:330
const class std::__debug::vector<class std::shared_ptr<class oox::drawingml::Shape>, class std::allocator<class std::shared_ptr<class oox::drawingml::Shape> > > & oox::drawingml::LayoutNode::getNodeShapes() const
oox/source/drawingml/diagram/diagramlayoutatoms.hxx:339
const class oox::drawingml::LayoutNode * oox::drawingml::LayoutNode::getParentLayoutNode() const
sal/osl/unx/uunxapi.hxx:39
int mkdir_c(const class rtl::OString &,unsigned int)
sal/osl/unx/uunxapi.hxx:74
int osl::lstat(const class rtl::OUString &,struct stat &)
sc/inc/address.hxx:665
_Bool ScRange::operator<=(const class ScRange &) const
sc/inc/bigrange.hxx:72
_Bool ScBigAddress::operator!=(const class ScBigAddress &) const
sc/inc/columniterator.hxx:82
int sc::ColumnIterator::getType() const
sc/inc/datamapper.hxx:75
void sc::ExternalDataSource::setUpdateFrequency(double)
sc/inc/datamapper.hxx:78
void sc::ExternalDataSource::setURL(const class rtl::OUString &)
sc/inc/datamapper.hxx:79
void sc::ExternalDataSource::setProvider(const class rtl::OUString &)
sc/inc/dpfilteredcache.hxx:148
void ScDPFilteredCache::dump() const
sc/inc/formulacell.hxx:498
void ScFormulaCell::Dump() const
sc/inc/kahan.hxx:69
class KahanSum KahanSum::operator-() const
sc/inc/kahan.hxx:159
_Bool KahanSum::operator<(const class KahanSum &) const
sc/inc/kahan.hxx:163
_Bool KahanSum::operator>(const class KahanSum &) const
sc/inc/kahan.hxx:165
_Bool KahanSum::operator>(double) const
sc/inc/kahan.hxx:167
_Bool KahanSum::operator<=(const class KahanSum &) const
sc/inc/kahan.hxx:169
_Bool KahanSum::operator<=(double) const
sc/inc/kahan.hxx:171
_Bool KahanSum::operator>=(const class KahanSum &) const
sc/inc/mtvcellfunc.hxx:40
class mdds::detail::mtv::iterator_base<struct mdds::multi_type_vector<struct mdds::mtv::custom_block_func3<struct mdds::mtv::default_element_block<52, class svl::SharedString>, struct mdds::mtv::noncopyable_managed_element_block<53, class EditTextObject>, struct mdds::mtv::noncopyable_managed_element_block<54, class ScFormulaCell> >, class sc::CellStoreEvent>::iterator_trait, struct mdds::detail::mtv::private_data_forward_update<struct mdds::detail::mtv::iterator_value_node<unsigned long, struct mdds::mtv::base_element_block> > > sc::ProcessFormula(const class mdds::detail::mtv::iterator_base<struct mdds::multi_type_vector<struct mdds::mtv::custom_block_func3<struct mdds::mtv::default_element_block<52, class svl::SharedString>, struct mdds::mtv::noncopyable_managed_element_block<53, class EditTextObject>, struct mdds::mtv::noncopyable_managed_element_block<54, class ScFormulaCell> >, class sc::CellStoreEvent>::iterator_trait, struct mdds::detail::mtv::private_data_forward_update<struct mdds::detail::mtv::iterator_value_node<unsigned long, struct mdds::mtv::base_element_block> > > &,class mdds::multi_type_vector<struct mdds::mtv::custom_block_func3<struct mdds::mtv::default_element_block<52, class svl::SharedString>, struct mdds::mtv::noncopyable_managed_element_block<53, class EditTextObject>, struct mdds::mtv::noncopyable_managed_element_block<54, class ScFormulaCell> >, class sc::CellStoreEvent> &,int,int,class std::function<void (unsigned long, class ScFormulaCell *)>)
sc/inc/mtvelements.hxx:72
struct mdds::mtv::base_element_block * sc::mdds_mtv_create_new_block(const struct sc::CellTextAttr &,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:72
void sc::mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const struct sc::CellTextAttr &,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:76
struct mdds::mtv::base_element_block * mdds_mtv_create_new_block(const class ScPostIt *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:76
void mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class ScPostIt *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
struct mdds::mtv::base_element_block * mdds_mtv_create_new_block(const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
void mdds_mtv_append_values(struct mdds::mtv::base_element_block &,const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
void mdds_mtv_assign_values(struct mdds::mtv::base_element_block &,const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
void mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
void mdds_mtv_prepend_values(struct mdds::mtv::base_element_block &,const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:77
void mdds_mtv_set_values(struct mdds::mtv::base_element_block &,unsigned long,const class SvtBroadcaster *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:78
struct mdds::mtv::base_element_block * mdds_mtv_create_new_block(const class ScFormulaCell *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:78
void mdds_mtv_get_empty_value(class ScFormulaCell *&)
sc/inc/mtvelements.hxx:78
void mdds_mtv_get_value(const struct mdds::mtv::base_element_block &,unsigned long,class ScFormulaCell *&)
sc/inc/mtvelements.hxx:78
void mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class ScFormulaCell *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:79
struct mdds::mtv::base_element_block * mdds_mtv_create_new_block(const class EditTextObject *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:79
void mdds_mtv_get_empty_value(class EditTextObject *&)
sc/inc/mtvelements.hxx:79
void mdds_mtv_get_value(const struct mdds::mtv::base_element_block &,unsigned long,class EditTextObject *&)
sc/inc/mtvelements.hxx:79
void mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class EditTextObject *,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:83
struct mdds::mtv::base_element_block * svl::mdds_mtv_create_new_block(const class svl::SharedString &,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvelements.hxx:83
void svl::mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class svl::SharedString &,const type-parameter-?-? &,const type-parameter-?-? &)
sc/inc/mtvfunctions.hxx:365
void sc::ProcessElements2(type-parameter-?-? &,type-parameter-?-? &,type-parameter-?-? &)
sc/inc/postit.hxx:45
ScCaptionPtr::ScCaptionPtr(class SdrCaptionObj *)
sc/inc/scdll.hxx:35
ScDLL::ScDLL()
sc/inc/scopetools.hxx:80
void sc::DelayFormulaGroupingSwitch::reset()
sc/inc/segmenttree.hxx:149
void ScFlatUInt16RowSegments::setValueIf(int,int,unsigned short,const class std::function<_Bool (unsigned short)> &)
sc/inc/segmenttree.hxx:162
void ScFlatUInt16RowSegments::makeReady()
sc/inc/sheetlimits.hxx:41
_Bool ScSheetLimits::ValidColRow(short,int) const
sc/inc/sheetlimits.hxx:45
_Bool ScSheetLimits::ValidColRowTab(short,int,short) const
sc/inc/sheetlimits.hxx:57
short ScSheetLimits::SanitizeCol(short) const
sc/inc/sheetlimits.hxx:58
int ScSheetLimits::SanitizeRow(int) const
sc/inc/stlalgorithm.hxx:46
sc::AlignedAllocator::AlignedAllocator(const AlignedAllocator<type-parameter-?-?, 256> &)
sc/inc/stlalgorithm.hxx:46
sc::AlignedAllocator::AlignedAllocator<T, Alignment>(const AlignedAllocator<type-parameter-?-?, Alignment> &)
sc/inc/stlalgorithm.hxx:60
_Bool sc::AlignedAllocator::operator==(const AlignedAllocator<T, Alignment> &) const
sc/inc/stlalgorithm.hxx:61
_Bool sc::AlignedAllocator::operator!=(const AlignedAllocator<T, Alignment> &) const
sc/inc/table.hxx:325
_Bool ScTable::IsColRowTabValid(const short,const int,const short) const
sc/inc/userlist.hxx:89
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const class std::unique_ptr<class ScUserListData, struct std::default_delete<class ScUserListData> > *, class std::__cxx1998::vector<class std::unique_ptr<class ScUserListData, struct std::default_delete<class ScUserListData> >, class std::allocator<class std::unique_ptr<class ScUserListData, struct std::default_delete<class ScUserListData> > > > >, class std::__debug::vector<class std::unique_ptr<class ScUserListData, struct std::default_delete<class ScUserListData> >, class std::allocator<class std::unique_ptr<class ScUserListData, struct std::default_delete<class ScUserListData> > > >, struct std::random_access_iterator_tag> ScUserList::begin() const
sc/qa/unit/helper/qahelper.hxx:164
class std::__cxx11::basic_string<char, struct std::char_traits<char>, class std::allocator<char> > print(const class ScAddress &)
sc/qa/unit/screenshots/screenshots.cxx:325
int main()
sc/source/core/inc/interpre.hxx:70
basic_ostream<type-parameter-?-?, type-parameter-?-?> & sc::operator<<(basic_ostream<type-parameter-?-?, type-parameter-?-?> &,const struct sc::ParamIfsResult &)
sc/source/core/opencl/formulagroupcl.cxx:1062
_Bool sc::opencl::(anonymous namespace)::DynamicKernelSlidingArgument::NeedParallelReduction() const
sc/source/core/opencl/formulagroupcl.cxx:1070
void sc::opencl::(anonymous namespace)::DynamicKernelSlidingArgument::GenSlidingWindowFunction(class std::__cxx11::basic_stringstream<char> &)
sc/source/core/opencl/formulagroupcl.cxx:1353
void sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GenSlidingWindowFunction(class std::__cxx11::basic_stringstream<char> &)
sc/source/core/opencl/formulagroupcl.cxx:1355
class std::__cxx11::basic_string<char, struct std::char_traits<char>, class std::allocator<char> > sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GenSlidingWindowDeclRef(_Bool) const
sc/source/core/opencl/formulagroupcl.cxx:1369
unsigned long sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::Marshal(struct _cl_kernel *,int,int,struct _cl_program *)
sc/source/core/opencl/formulagroupcl.cxx:1382
unsigned long sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GetArrayLength() const
sc/source/core/opencl/formulagroupcl.cxx:1384
unsigned long sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GetWindowSize() const
sc/source/core/opencl/formulagroupcl.cxx:1386
_Bool sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GetStartFixed() const
sc/source/core/opencl/formulagroupcl.cxx:1388
_Bool sc::opencl::(anonymous namespace)::ParallelReductionVectorRef::GetEndFixed() const
sc/source/core/opencl/op_statistical.hxx:205
sc::opencl::OpGeoMean::OpGeoMean()
sc/source/core/tool/interpr1.cxx:4153
double ::operator()(double,unsigned long) const
sc/source/core/tool/interpr1.cxx:6465
double ::operator()(const struct sc::ParamIfsResult &) const
sc/source/core/tool/scmatrix.cxx:2261
type-parameter-?-? * (anonymous namespace)::wrapped_iterator::operator->() const
sc/source/filter/inc/htmlpars.hxx:60
void ScHTMLStyles::add(const char *,unsigned long,const char *,unsigned long,const class rtl::OUString &,const class rtl::OUString &)
sc/source/filter/inc/orcusinterface.hxx:76
ScOrcusRefResolver::ScOrcusRefResolver(const class ScOrcusGlobalSettings &)
sc/source/filter/inc/tokstack.hxx:212
_Bool TokenPool::GrowTripel(unsigned short)
sc/source/filter/inc/xeextlst.hxx:197
void XclExtLst::AddRecord(const class rtl::Reference<class XclExpExt> &)
sc/source/filter/inc/xerecord.hxx:342
void XclExpRecordList::InsertRecord(type-parameter-?-? *,unsigned long)
sc/source/filter/inc/xerecord.hxx:351
void XclExpRecordList::AppendRecord(Reference<type-parameter-?-?>)
sc/source/filter/inc/xerecord.hxx:362
void XclExpRecordList::AppendNewRecord(const Reference<type-parameter-?-?> &)
sc/source/filter/inc/xerecord.hxx:364
void XclExpRecordList::AppendNewRecord(Reference<type-parameter-?-?>)
sc/source/filter/inc/xestream.hxx:106
class XclExpStream & XclExpStream::operator<<(float)
sc/source/filter/inc/xiescher.hxx:153
class Color XclImpDrawObjBase::GetSolidLineColor(const struct XclObjLineData &) const
sc/source/filter/inc/xlformula.hxx:408
_Bool XclTokenArray::operator==(const class XclTokenArray &) const
sc/source/filter/xml/xmltransformationi.hxx:159
ScXMLDateTimeContext::ScXMLDateTimeContext(class ScXMLImport &,const class rtl::Reference<class sax_fastparser::FastAttributeList> &)
sc/source/ui/inc/dataprovider.hxx:55
_Bool sc::CSVFetchThread::IsRequestedTerminate()
sc/source/ui/inc/dataprovider.hxx:56
void sc::CSVFetchThread::Terminate()
sc/source/ui/inc/dataprovider.hxx:57
void sc::CSVFetchThread::EndThread()
sc/source/ui/inc/dataprovider.hxx:82
const class rtl::OUString & sc::DataProvider::GetURL() const
sc/source/ui/inc/dataproviderdlg.hxx:57
void ScDataProviderDlg::LinkStubStartMenuHdl(void *,const class rtl::OString &)
sc/source/ui/inc/dataproviderdlg.hxx:57
void ScDataProviderDlg::StartMenuHdl(const class rtl::OString &)
sc/source/ui/inc/dataproviderdlg.hxx:58
void ScDataProviderDlg::ColumnMenuHdl(const class weld::ComboBox &)
sc/source/ui/inc/dataproviderdlg.hxx:58
void ScDataProviderDlg::LinkStubColumnMenuHdl(void *,const class weld::ComboBox &)
sc/source/ui/inc/dataproviderdlg.hxx:75
void ScDataProviderDlg::applyAndQuit()
sc/source/ui/inc/dataproviderdlg.hxx:76
void ScDataProviderDlg::cancelAndQuit()
sc/source/ui/inc/datatableview.hxx:110
void ScDataTableView::getRowRange(int &,int &) const
sc/source/ui/inc/datatransformation.hxx:195
short sc::FindReplaceTransformation::getColumn() const
sc/source/ui/inc/datatransformation.hxx:196
const class rtl::OUString & sc::FindReplaceTransformation::getFindString() const
sc/source/ui/inc/datatransformation.hxx:197
const class rtl::OUString & sc::FindReplaceTransformation::getReplaceString() const
sc/source/ui/inc/impex.hxx:92
ScImportExport::ScImportExport(class ScDocument &,const class rtl::OUString &)
sc/source/ui/inc/RandomNumberGeneratorDialog.hxx:65
void ScRandomNumberGeneratorDialog::GenerateNumbers(type-parameter-?-? &,const char *,const class std::optional<signed char>)
sc/source/ui/inc/TableFillingAndNavigationTools.hxx:121
unsigned long DataRangeIterator::size()
sc/source/ui/inc/viewdata.hxx:406
long ScViewData::GetLOKDocWidthPixel() const
sc/source/ui/inc/viewdata.hxx:407
long ScViewData::GetLOKDocHeightPixel() const
sc/source/ui/inc/viewdata.hxx:547
_Bool ScViewData::IsGridMode() const
scaddins/source/analysis/analysishelper.hxx:800
_Bool sca::analysis::ScaDate::operator>=(const class sca::analysis::ScaDate &) const
sccomp/source/solver/DifferentialEvolution.hxx:66
int DifferentialEvolutionAlgorithm::getLastChange()
sccomp/source/solver/ParticelSwarmOptimization.hxx:84
int ParticleSwarmOptimizationAlgorithm::getLastChange()
sd/inc/sddll.hxx:47
SdDLL::SdDLL()
sd/source/filter/ppt/pptinanimations.hxx:107
void ppt::AnimationImporter::dump(const char *,long)
sd/source/ui/inc/custsdlg.hxx:54
_Bool SdCustomShowDlg::IsModified() const
sd/source/ui/inc/filedlg.hxx:54
_Bool SdOpenSoundFileDialog::IsInsertAsLinkSelected() const
sd/source/ui/inc/GraphicViewShell.hxx:43
class SfxViewFactory * sd::GraphicViewShell::Factory()
sd/source/ui/inc/GraphicViewShell.hxx:43
class SfxViewShell * sd::GraphicViewShell::CreateInstance(class SfxViewFrame *,class SfxViewShell *)
sd/source/ui/inc/GraphicViewShell.hxx:43
void sd::GraphicViewShell::InitFactory()
sd/source/ui/inc/GraphicViewShell.hxx:43
void sd::GraphicViewShell::RegisterFactory(struct o3tl::strong_int<unsigned short, struct SfxInterfaceIdTag>)
sd/source/ui/inc/optsitem.hxx:178
_Bool SdOptionsContents::operator==(const class SdOptionsContents &) const
sd/source/ui/inc/OutlineViewShell.hxx:40
class SfxViewFactory * sd::OutlineViewShell::Factory()
sd/source/ui/inc/OutlineViewShell.hxx:40
class SfxViewShell * sd::OutlineViewShell::CreateInstance(class SfxViewFrame *,class SfxViewShell *)
sd/source/ui/inc/OutlineViewShell.hxx:40
void sd::OutlineViewShell::InitFactory()
sd/source/ui/inc/OutlineViewShell.hxx:40
void sd::OutlineViewShell::RegisterFactory(struct o3tl::strong_int<unsigned short, struct SfxInterfaceIdTag>)
sd/source/ui/inc/PaneShells.hxx:33
void sd::LeftImpressPaneShell::RegisterInterface(const class SfxModule *)
sd/source/ui/inc/PaneShells.hxx:50
void sd::LeftDrawPaneShell::RegisterInterface(const class SfxModule *)
sd/source/ui/inc/unomodel.hxx:136
_Bool SdXImpressDocument::operator==(const class SdXImpressDocument &) const
sd/source/ui/slidesorter/inc/view/SlsLayouter.hxx:199
_Bool sd::slidesorter::view::InsertPosition::operator!=(const class sd::slidesorter::view::InsertPosition &) const
sdext/source/pdfimport/pdfparse/pdfparse.cxx:111
long (anonymous namespace)::PDFGrammar<boost::spirit::classic::file_iterator<char, boost::spirit::classic::fileiter_impl::mmap_file_iterator<char>>>::pdf_string_parser::operator()(const type-parameter-?-? &,struct boost::spirit::classic::nil_t &) const
sfx2/inc/autoredactdialog.hxx:74
void TargetsTable::select(int)
sfx2/source/appl/shutdownicon.hxx:80
class rtl::OUString ShutdownIcon::getShortcutName()
sfx2/source/appl/shutdownicon.hxx:96
class ShutdownIcon * ShutdownIcon::createInstance()
sfx2/source/appl/shutdownicon.hxx:98
void ShutdownIcon::terminateDesktop()
sfx2/source/appl/shutdownicon.hxx:101
void ShutdownIcon::FileOpen()
sfx2/source/appl/shutdownicon.hxx:104
void ShutdownIcon::FromTemplate()
sfx2/source/appl/shutdownicon.hxx:113
class rtl::OUString ShutdownIcon::GetUrlDescription(const class rtl::OUString &)
sfx2/source/appl/shutdownicon.hxx:115
void ShutdownIcon::SetVeto(_Bool)
shell/inc/xml_parser.hxx:43
xml_parser::xml_parser()
shell/inc/xml_parser.hxx:66
void xml_parser::parse(const char *,unsigned long,_Bool)
shell/inc/xml_parser.hxx:84
void xml_parser::set_document_handler(class i_xml_parser_event_handler *)
slideshow/source/engine/activities/activitiesfactory.cxx:172
void slideshow::internal::(anonymous namespace)::FromToByActivity::startAnimation()
slideshow/source/engine/activities/activitiesfactory.cxx:241
void slideshow::internal::(anonymous namespace)::FromToByActivity::endAnimation()
slideshow/source/engine/activities/activitiesfactory.cxx:249
void slideshow::internal::(anonymous namespace)::FromToByActivity::perform(double,unsigned int) const
slideshow/source/engine/activities/activitiesfactory.cxx:313
void slideshow::internal::(anonymous namespace)::FromToByActivity::perform(unsigned int,unsigned int) const
slideshow/source/engine/activities/activitiesfactory.cxx:331
void slideshow::internal::(anonymous namespace)::FromToByActivity::performEnd()
slideshow/source/engine/activities/activitiesfactory.cxx:344
void slideshow::internal::(anonymous namespace)::FromToByActivity::dispose()
slideshow/source/engine/activities/activitiesfactory.cxx:525
void slideshow::internal::(anonymous namespace)::ValuesActivity::startAnimation()
slideshow/source/engine/activities/activitiesfactory.cxx:536
void slideshow::internal::(anonymous namespace)::ValuesActivity::endAnimation()
slideshow/source/engine/activities/activitiesfactory.cxx:544
void slideshow::internal::(anonymous namespace)::ValuesActivity::perform(unsigned int,double,unsigned int) const
slideshow/source/engine/activities/activitiesfactory.cxx:566
void slideshow::internal::(anonymous namespace)::ValuesActivity::perform(unsigned int,unsigned int) const
slideshow/source/engine/activities/activitiesfactory.cxx:581
void slideshow::internal::(anonymous namespace)::ValuesActivity::performEnd()
slideshow/source/engine/animationfactory.cxx:616
void slideshow::internal::(anonymous namespace)::GenericAnimation::prefetch()
slideshow/source/engine/animationfactory.cxx:619
void slideshow::internal::(anonymous namespace)::GenericAnimation::start(const class std::shared_ptr<class slideshow::internal::AnimatableShape> &,const class std::shared_ptr<class slideshow::internal::ShapeAttributeLayer> &)
slideshow/source/engine/animationfactory.cxx:698
_Bool slideshow::internal::(anonymous namespace)::GenericAnimation::operator()(const typename type-parameter-?-?::ValueType &)
slideshow/source/engine/animationfactory.cxx:715
_Bool slideshow::internal::(anonymous namespace)::GenericAnimation::operator()(typename type-parameter-?-?::ValueType)
slideshow/source/engine/animationfactory.cxx:736
typename type-parameter-?-?::ValueType slideshow::internal::(anonymous namespace)::GenericAnimation::getUnderlyingValue() const
slideshow/source/engine/opengl/TransitionImpl.cxx:1434
struct std::__debug::array<unsigned char, 65536> (anonymous namespace)::(anonymous)::__invoke()
slideshow/source/engine/opengl/TransitionImpl.hxx:184
void OGLTransitionImpl::cleanup()
slideshow/source/inc/box2dtools.hxx:159
void box2d::utils::box2DWorld::setShapeAngle(const class com::sun::star::uno::Reference<class com::sun::star::drawing::XShape>,const double)
slideshow/source/inc/box2dtools.hxx:261
_Bool box2d::utils::box2DWorld::shapesInitialized()
slideshow/source/inc/box2dtools.hxx:299
class std::shared_ptr<class box2d::utils::box2DBody> box2d::utils::box2DWorld::makeShapeStatic(const class std::shared_ptr<class slideshow::internal::Shape> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::AnimationEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::EventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::IntrinsicAnimationEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::PauseEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::ShapeListenerEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::UserPaintEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:44
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::ViewUpdate> &)
slideshow/source/inc/listenercontainer.hxx:54
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::ViewEventHandler> &)
slideshow/source/inc/listenercontainer.hxx:54
_Bool slideshow::internal::FunctionApply::apply(type-parameter-?-?,const class std::shared_ptr<class slideshow::internal::ViewRepaintHandler> &)
starmath/inc/format.hxx:137
_Bool SmFormat::operator!=(const class SmFormat &) const
starmath/inc/mathml/attribute.hxx:62
SmMlAttribute::SmMlAttribute(enum SmMlAttributeValueType)
starmath/inc/mathml/attribute.hxx:74
SmMlAttribute::SmMlAttribute(const class SmMlAttribute *)
starmath/inc/mathml/attribute.hxx:91
_Bool SmMlAttribute::isNullAttribute() const
starmath/inc/mathml/attribute.hxx:100
_Bool SmMlAttribute::isMlAttributeValueType(enum SmMlAttributeValueType) const
starmath/inc/mathml/attribute.hxx:116
void SmMlAttribute::setMlAttributeValue(const class SmMlAttribute &)
starmath/inc/mathml/element.hxx:22
SmMlElement::SmMlElement()
starmath/inc/mathml/element.hxx:36
SmMlElement::SmMlElement(enum SmMlElementType)
starmath/inc/mathml/element.hxx:76
enum SmMlElementType SmMlElement::getMlElementType() const
starmath/inc/mathml/element.hxx:83
_Bool SmMlElement::isMlElementType(enum SmMlElementType) const
starmath/inc/mathml/element.hxx:93
struct ESelection SmMlElement::getESelection() const
starmath/inc/mathml/element.hxx:99
void SmMlElement::setESelection(struct ESelection)
starmath/inc/mathml/element.hxx:106
int SmMlElement::GetSourceCodeRow() const
starmath/inc/mathml/element.hxx:113
int SmMlElement::GetSourceCodeColumn() const
starmath/inc/mathml/element.hxx:120
unsigned long SmMlElement::getAttributeCount() const
starmath/inc/mathml/element.hxx:128
class SmMlAttribute SmMlElement::getAttribute(unsigned long) const
starmath/inc/mathml/element.hxx:140
class SmMlAttribute SmMlElement::getAttribute(enum SmMlAttributeValueType) const
starmath/inc/mathml/element.hxx:148
void SmMlElement::setAttribute(const class SmMlAttribute *)
starmath/inc/mathml/element.hxx:155
unsigned long SmMlElement::getSubElementsCount() const
starmath/inc/mathml/element.hxx:162
class SmMlElement * SmMlElement::getSubElement(unsigned long)
starmath/inc/mathml/element.hxx:172
const class SmMlElement * SmMlElement::getSubElement(unsigned long) const
starmath/inc/mathml/element.hxx:182
void SmMlElement::setSubElement(unsigned long,class SmMlElement *)
starmath/inc/mathml/element.hxx:189
class SmMlElement * SmMlElement::getParentElement()
starmath/inc/mathml/element.hxx:195
const class SmMlElement * SmMlElement::getParentElement() const
starmath/inc/mathml/element.hxx:208
class rtl::OUString SmMlElement::getText() const
starmath/inc/mathml/element.hxx:213
void SmMlElement::setText(class rtl::OUString)
starmath/inc/mathml/mathmlexport.hxx:61
_Bool SmXMLExportWrapper::IsUseHTMLMLEntities() const
starmath/inc/mathml/mathmlimport.hxx:111
unsigned short SmXMLImport::GetSmSyntaxVersion() const
starmath/inc/mathml/mathmlMo.hxx:82
enum moOpDF operator|(enum moOpDF,enum moOpDF)
starmath/inc/mathml/mathmlMo.hxx:87
enum moOpDF operator&(enum moOpDF,enum moOpDF)
starmath/inc/mathml/mathmlMo.hxx:97
enum moOpDP operator&(enum moOpDP,enum moOpDP)
starmath/inc/mathml/starmathdatabase.hxx:274
struct SmColorTokenTableEntry starmathdatabase::Identify_Color_HTML(unsigned int)
starmath/inc/mathml/starmathdatabase.hxx:294
struct SmColorTokenTableEntry starmathdatabase::Identify_Color_DVIPSNAMES(unsigned int)
starmath/inc/node.hxx:507
class SmNode * SmStructureNode::GetSubNodeBinMo(unsigned long) const
starmath/inc/node.hxx:532
void SmStructureNode::SetSubNodes(class SmNode *,class SmNode *,class SmNode *)
starmath/inc/node.hxx:553
void SmStructureNode::SetSubNodesBinMo(class SmNode *,class SmNode *,class SmNode *)
starmath/inc/nodetype.hxx:59
_Bool starmathdatabase::isStructuralNode(enum SmNodeType)
starmath/inc/nodetype.hxx:71
_Bool starmathdatabase::isBinOperatorNode(enum SmNodeType)
starmath/inc/nodetype.hxx:77
_Bool starmathdatabase::isUnOperatorNode(enum SmNodeType)
starmath/inc/nodetype.hxx:82
_Bool starmathdatabase::isOperatorNode(enum SmNodeType)
starmath/inc/nodetype.hxx:89
_Bool starmathdatabase::isStandaloneNode(enum SmNodeType)
starmath/inc/parse.hxx:31
class AbstractSmParser * starmathdatabase::GetDefaultSmParser()
starmath/inc/token.hxx:185
SmColorTokenTableEntry::SmColorTokenTableEntry(const class std::unique_ptr<struct SmColorTokenTableEntry, struct std::default_delete<struct SmColorTokenTableEntry> >)
starmath/inc/token.hxx:206
_Bool SmColorTokenTableEntry::equals(const class rtl::OUString &) const
starmath/inc/token.hxx:213
_Bool SmColorTokenTableEntry::equals(class Color) const
svgio/inc/svgstyleattributes.hxx:345
class svgio::svgreader::SvgNumber svgio::svgreader::SvgStyleAttributes::getStrokeDashOffset() const
svgio/inc/svgstyleattributes.hxx:369
enum svgio::svgreader::FontStretch svgio::svgreader::SvgStyleAttributes::getFontStretch() const
svl/source/misc/gridprinter.cxx:47
struct mdds::mtv::base_element_block * rtl::mdds_mtv_create_new_block(const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_append_values(struct mdds::mtv::base_element_block &,const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_assign_values(struct mdds::mtv::base_element_block &,const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_get_empty_value(class rtl::OUString &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_get_value(const struct mdds::mtv::base_element_block &,unsigned long,class rtl::OUString &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_insert_values(struct mdds::mtv::base_element_block &,unsigned long,const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_prepend_values(struct mdds::mtv::base_element_block &,const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svl/source/misc/gridprinter.cxx:47
void rtl::mdds_mtv_set_values(struct mdds::mtv::base_element_block &,unsigned long,const class rtl::OUString &,const type-parameter-?-? &,const type-parameter-?-? &)
svx/inc/sdr/contact/viewcontactofgraphic.hxx:52
class SdrGrafObj & sdr::contact::ViewContactOfGraphic::GetGrafObject()
sw/inc/calbck.hxx:289
class sw::WriterListener * sw::ClientIteratorBase::GetLeftOfPos()
sw/inc/charfmt.hxx:30
SwCharFormat::SwCharFormat(class SwAttrPool &,const char *,class SwCharFormat *)
sw/inc/charformats.hxx:88
class boost::multi_index::detail::bidir_node_iterator<struct boost::multi_index::detail::ordered_index_node<struct boost::multi_index::detail::null_augment_policy, struct boost::multi_index::detail::index_node_base<class SwCharFormat *, class std::allocator<class SwCharFormat *> > > > SwCharFormats::byNameEnd() const
sw/inc/charformats.hxx:103
_Bool SwCharFormats::IsAlive(const class SwCharFormat *) const
sw/inc/dbgoutsw.hxx:54
const char * dbg_out(const void *)
sw/inc/dbgoutsw.hxx:56
const char * dbg_out(const class SwRect &)
sw/inc/dbgoutsw.hxx:57
const char * dbg_out(const class SwFrameFormat &)
sw/inc/dbgoutsw.hxx:60
const char * dbg_out(const class SwContentNode *)
sw/inc/dbgoutsw.hxx:61
const char * dbg_out(const class SwTextNode *)
sw/inc/dbgoutsw.hxx:62
const char * dbg_out(const class SwTextAttr &)
sw/inc/dbgoutsw.hxx:63
const char * dbg_out(const class SwpHints &)
sw/inc/dbgoutsw.hxx:64
const char * dbg_out(const class SfxPoolItem &)
sw/inc/dbgoutsw.hxx:65
const char * dbg_out(const class SfxPoolItem *)
sw/inc/dbgoutsw.hxx:66
const char * dbg_out(const class SfxItemSet &)
sw/inc/dbgoutsw.hxx:67
const char * dbg_out(const struct SwPosition &)
sw/inc/dbgoutsw.hxx:68
const char * dbg_out(const class SwPaM &)
sw/inc/dbgoutsw.hxx:69
const char * dbg_out(const class SwNodeNum &)
sw/inc/dbgoutsw.hxx:70
const char * dbg_out(const class SwUndo &)
sw/inc/dbgoutsw.hxx:71
const char * dbg_out(const class SwOutlineNodes &)
sw/inc/dbgoutsw.hxx:72
const char * dbg_out(const class SwNumRule &)
sw/inc/dbgoutsw.hxx:73
const char * dbg_out(const class SwTextFormatColl &)
sw/inc/dbgoutsw.hxx:74
const char * dbg_out(const class SwFrameFormats &)
sw/inc/dbgoutsw.hxx:75
const char * dbg_out(const class SwNumRuleTable &)
sw/inc/dbgoutsw.hxx:76
const char * dbg_out(const class SwNodeRange &)
sw/inc/dbgoutsw.hxx:79
class rtl::OUString lcl_dbg_out(const unordered_map<type-parameter-?-?, type-parameter-?-?, type-parameter-?-?, equal_to<type-parameter-?-?>, allocator<pair<const type-parameter-?-?, type-parameter-?-?> > > &)
sw/inc/dbgoutsw.hxx:103
const char * dbg_out(const unordered_map<type-parameter-?-?, type-parameter-?-?, type-parameter-?-?, equal_to<type-parameter-?-?>, allocator<pair<const type-parameter-?-?, type-parameter-?-?> > > &)
sw/inc/dbgoutsw.hxx:107
const char * dbg_out(const struct SwFormToken &)
sw/inc/dbgoutsw.hxx:108
const char * dbg_out(const class std::__debug::vector<struct SwFormToken, class std::allocator<struct SwFormToken> > &)
sw/inc/docary.hxx:98
void SwVectorModifyBase::insert(class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<class SwFrameFormat **, class std::__cxx1998::vector<class SwFrameFormat *, class std::allocator<class SwFrameFormat *> > >, class std::__debug::vector<class SwFrameFormat *, class std::allocator<class SwFrameFormat *> >, struct std::random_access_iterator_tag>,type-parameter-?-?,type-parameter-?-?)
sw/inc/docary.hxx:98
void SwVectorModifyBase::insert(class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<class SwGrfFormatColl **, class std::__cxx1998::vector<class SwGrfFormatColl *, class std::allocator<class SwGrfFormatColl *> > >, class std::__debug::vector<class SwGrfFormatColl *, class std::allocator<class SwGrfFormatColl *> >, struct std::random_access_iterator_tag>,type-parameter-?-?,type-parameter-?-?)
sw/inc/docary.hxx:98
void SwVectorModifyBase::insert(class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<class SwNumRule **, class std::__cxx1998::vector<class SwNumRule *, class std::allocator<class SwNumRule *> > >, class std::__debug::vector<class SwNumRule *, class std::allocator<class SwNumRule *> >, struct std::random_access_iterator_tag>,type-parameter-?-?,type-parameter-?-?)
sw/inc/docary.hxx:98
void SwVectorModifyBase::insert(class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<class SwSectionFormat **, class std::__cxx1998::vector<class SwSectionFormat *, class std::allocator<class SwSectionFormat *> > >, class std::__debug::vector<class SwSectionFormat *, class std::allocator<class SwSectionFormat *> >, struct std::random_access_iterator_tag>,type-parameter-?-?,type-parameter-?-?)
sw/inc/docary.hxx:98
void SwVectorModifyBase::insert(class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<class SwTextFormatColl **, class std::__cxx1998::vector<class SwTextFormatColl *, class std::allocator<class SwTextFormatColl *> > >, class std::__debug::vector<class SwTextFormatColl *, class std::allocator<class SwTextFormatColl *> >, struct std::random_access_iterator_tag>,type-parameter-?-?,type-parameter-?-?)
sw/inc/docary.hxx:144
void SwVectorModifyBase::dumpAsXml(struct _xmlTextWriter *)
sw/inc/docary.hxx:167
_Bool SwFormatsModifyBase::ContainsFormat(type-parameter-?-?) const
sw/inc/docufld.hxx:498
void SwPostItField::ToggleResolved()
sw/inc/editsh.hxx:370
void SwEditShell::ValidateCurrentParagraphSignatures(_Bool)
sw/inc/extinput.hxx:47
class SwExtTextInput * SwExtTextInput::GetPrev()
sw/inc/extinput.hxx:48
const class SwExtTextInput * SwExtTextInput::GetPrev() const
sw/inc/frameformats.hxx:80
void SwFrameFormats::erase(unsigned long)
sw/inc/frameformats.hxx:91
class boost::multi_index::detail::bidir_node_iterator<struct boost::multi_index::detail::ordered_index_node<struct boost::multi_index::detail::null_augment_policy, struct boost::multi_index::detail::index_node_base<class SwFrameFormat *, class std::allocator<class SwFrameFormat *> > > > SwFrameFormats::findSimilar(class SwFrameFormat *const &) const
sw/inc/frameformats.hxx:100
class SwFrameFormat *const & SwFrameFormats::back() const
sw/inc/IDocumentLinksAdministration.hxx:53
_Bool IDocumentLinksAdministration::GetData(const class rtl::OUString &,const class rtl::OUString &,class com::sun::star::uno::Any &) const
sw/inc/IDocumentLinksAdministration.hxx:55
void IDocumentLinksAdministration::SetData(const class rtl::OUString &)
sw/inc/IDocumentMarkAccess.hxx:93
class IDocumentMarkAccess::iterator IDocumentMarkAccess::iterator::operator++(int)
sw/inc/IDocumentMarkAccess.hxx:96
class IDocumentMarkAccess::iterator & IDocumentMarkAccess::iterator::operator--()
sw/inc/IDocumentMarkAccess.hxx:97
class IDocumentMarkAccess::iterator IDocumentMarkAccess::iterator::operator--(int)
sw/inc/IDocumentMarkAccess.hxx:98
class IDocumentMarkAccess::iterator & IDocumentMarkAccess::iterator::operator+=(long)
sw/inc/IDocumentMarkAccess.hxx:100
class IDocumentMarkAccess::iterator & IDocumentMarkAccess::iterator::operator-=(long)
sw/inc/IDocumentMarkAccess.hxx:104
_Bool IDocumentMarkAccess::iterator::operator<(const class IDocumentMarkAccess::iterator &) const
sw/inc/IDocumentMarkAccess.hxx:105
_Bool IDocumentMarkAccess::iterator::operator>(const class IDocumentMarkAccess::iterator &) const
sw/inc/IDocumentMarkAccess.hxx:107
_Bool IDocumentMarkAccess::iterator::operator>=(const class IDocumentMarkAccess::iterator &) const
sw/inc/modcfg.hxx:344
_Bool SwModuleOptions::IsFileEncryptedFromColumn() const
sw/inc/node.hxx:240
const class IDocumentStylePoolAccess & SwNode::getIDocumentStylePoolAccess() const
sw/inc/node.hxx:244
const class IDocumentDrawModelAccess & SwNode::getIDocumentDrawModelAccess() const
sw/inc/pagedesc.hxx:445
void SwPageDescs::erase(class SwPageDesc *const &)
sw/inc/pagedesc.hxx:453
class SwPageDesc *const & SwPageDescs::front() const
sw/inc/pagedesc.hxx:454
class SwPageDesc *const & SwPageDescs::back() const
sw/inc/rdfhelper.hxx:76
void SwRDFHelper::cloneStatements(const class com::sun::star::uno::Reference<class com::sun::star::frame::XModel> &,const class com::sun::star::uno::Reference<class com::sun::star::frame::XModel> &,const class rtl::OUString &,const class com::sun::star::uno::Reference<class com::sun::star::rdf::XResource> &,const class com::sun::star::uno::Reference<class com::sun::star::rdf::XResource> &)
sw/inc/rdfhelper.hxx:94
void SwRDFHelper::removeTextNodeStatement(const class rtl::OUString &,class SwTextNode &,const class rtl::OUString &,const class rtl::OUString &)
sw/inc/rdfhelper.hxx:97
void SwRDFHelper::updateTextNodeStatement(const class rtl::OUString &,const class rtl::OUString &,class SwTextNode &,const class rtl::OUString &,const class rtl::OUString &,const class rtl::OUString &)
sw/inc/ring.hxx:203
sw::RingIterator::RingIterator<value_type>()
sw/inc/shellio.hxx:85
void SwAsciiOptions::SetIncludeHidden(_Bool)
sw/inc/swatrset.hxx:219
const class SvxNoHyphenItem & SwAttrSet::GetNoHyphenHere(_Bool) const
sw/inc/swcrsr.hxx:221
class SwCursor * SwCursor::GetPrev()
sw/inc/swcrsr.hxx:222
const class SwCursor * SwCursor::GetPrev() const
sw/inc/swcrsr.hxx:307
class SwTableCursor * SwTableCursor::GetNext()
sw/inc/swcrsr.hxx:308
const class SwTableCursor * SwTableCursor::GetNext() const
sw/inc/swcrsr.hxx:309
class SwTableCursor * SwTableCursor::GetPrev()
sw/inc/swcrsr.hxx:310
const class SwTableCursor * SwTableCursor::GetPrev() const
sw/inc/swrect.hxx:100
class SwRect & SwRect::operator-=(const class Point &)
sw/inc/swrect.hxx:106
class SvStream & WriteSwRect(class SvStream &,const class SwRect &)
sw/inc/swrect.hxx:150
_Bool SwRect::OverStepTop(long) const
sw/inc/view.hxx:463
void SwView::LinkStubMoveNavigationHdl(void *,void *)
sw/inc/viscrs.hxx:203
class SwShellTableCursor * SwShellTableCursor::GetNext()
sw/inc/viscrs.hxx:204
const class SwShellTableCursor * SwShellTableCursor::GetNext() const
sw/inc/viscrs.hxx:205
class SwShellTableCursor * SwShellTableCursor::GetPrev()
sw/inc/viscrs.hxx:206
const class SwShellTableCursor * SwShellTableCursor::GetPrev() const
sw/qa/inc/swmodeltestbase.hxx:301
class com::sun::star::uno::Reference<class com::sun::star::beans::XPropertySet> SwModelTestBase::getParagraphAnchoredObject(const int,const class com::sun::star::uno::Reference<class com::sun::star::text::XTextRange> &) const
sw/source/core/access/accportions.cxx:57
unsigned long FindBreak(const vector<type-parameter-?-?, allocator<type-parameter-?-?> > &,type-parameter-?-?)
sw/source/core/access/accportions.cxx:61
unsigned long FindLastBreak(const vector<type-parameter-?-?, allocator<type-parameter-?-?> > &,type-parameter-?-?)
sw/source/core/inc/AccessibilityIssue.hxx:52
const class std::__debug::vector<class rtl::OUString, class std::allocator<class rtl::OUString> > & sw::AccessibilityIssue::getAdditionalInfo() const
sw/source/core/inc/AccessibilityIssue.hxx:54
void sw::AccessibilityIssue::setAdditionalInfo(const class std::__debug::vector<class rtl::OUString, class std::allocator<class rtl::OUString> > &)
sw/source/core/inc/frame.hxx:933
void SwFrame::dumpTopMostAsXml(struct _xmlTextWriter *) const
sw/source/core/inc/frame.hxx:1381
class Size SwRectFnSet::GetSize(const class SwRect &) const
sw/source/core/inc/frame.hxx:1412
long SwRectFnSet::LeftDist(const class SwRect &,long) const
sw/source/core/inc/frame.hxx:1413
long SwRectFnSet::RightDist(const class SwRect &,long) const
sw/source/core/inc/mvsave.hxx:171
_Bool ZSortFly::operator==(const class ZSortFly &) const
sw/source/core/text/porlin.hxx:117
_Bool SwLinePortion::IsTabRightPortion() const
sw/source/core/text/txtpaint.hxx:72
DbgBackColor::DbgBackColor(class OutputDevice *,const _Bool)
sw/source/core/text/txtpaint.hxx:79
DbgRect::DbgRect(class OutputDevice *,const class tools::Rectangle &,const _Bool,class Color)
sw/source/uibase/inc/swcont.hxx:87
_Bool SwContent::operator==(const class SwContent &) const
test/source/sheet/xsubtotalfield.cxx:28
_Bool CppUnit::assertion_traits::equal(const class com::sun::star::uno::Sequence<struct com::sun::star::sheet::SubTotalColumn> &,const class com::sun::star::uno::Sequence<struct com::sun::star::sheet::SubTotalColumn> &)
test/source/sheet/xsubtotalfield.cxx:34
class std::__cxx11::basic_string<char, struct std::char_traits<char>, class std::allocator<char> > CppUnit::assertion_traits::toString(const class com::sun::star::uno::Sequence<struct com::sun::star::sheet::SubTotalColumn> &)
ucb/source/inc/regexpmap.hxx:285
RegexpMapConstIter<type-parameter-?-?> ucb_impl::RegexpMap::begin() const
ucb/source/inc/regexpmap.hxx:289
RegexpMapConstIter<type-parameter-?-?> ucb_impl::RegexpMap::end() const
ucb/source/ucp/ftp/ftpurl.hxx:108
class rtl::OUString ftp::FTPURL::child() const
ucb/source/ucp/gio/gio_mount.cxx:37
void * ooo_mount_operation_get_instance_private(struct OOoMountOperation *)
ucb/source/ucp/webdav-neon/NeonUri.hxx:67
_Bool webdav_ucp::NeonUri::operator!=(const class webdav_ucp::NeonUri &) const
vcl/inc/bitmap/BitmapWriteAccess.hxx:73
void BitmapWriteAccess::SetFillColor()
vcl/inc/bitmap/ScanlineTools.hxx:23
void vcl::bitmap::ScanlineTransformer::skipPixel(unsigned int)
vcl/inc/ControlCacheKey.hxx:35
ControlCacheKey::ControlCacheKey(enum ControlType,enum ControlPart,enum ControlState,const class Size &)
vcl/inc/ControlCacheKey.hxx:43
_Bool ControlCacheKey::operator==(const class ControlCacheKey &) const
vcl/inc/ControlCacheKey.hxx:50
_Bool ControlCacheKey::canCacheControl() const
vcl/inc/ControlCacheKey.hxx:81
unsigned long ControlCacheHashFunction::operator()(const class ControlCacheKey &) const
vcl/inc/driverblocklist.hxx:95
DriverBlocklist::DriverInfo::DriverInfo(enum DriverBlocklist::OperatingSystem,const class rtl::OUString &,enum DriverBlocklist::VersionComparisonOp,unsigned long,_Bool,const char *)
vcl/inc/fontinstance.hxx:70
void LogicalFontInstance::SetAverageWidthFactor(double)
vcl/inc/fontinstance.hxx:71
double LogicalFontInstance::GetAverageWidthFactor() const
vcl/inc/fontselect.hxx:49
_Bool FontSelectPattern::operator!=(const class FontSelectPattern &) const
vcl/inc/graphic/GraphicID.hxx:39
_Bool GraphicID::operator==(const class GraphicID &) const
vcl/inc/jsdialog/jsdialogbuilder.hxx:183
void JSDropTarget::fire_dragEnter(const struct com::sun::star::datatransfer::dnd::DropTargetDragEnterEvent &)
vcl/inc/opengl/zone.hxx:26
void OpenGLZone::relaxWatchdogTimings()
vcl/inc/PhysicalFontFace.hxx:67
int PhysicalFontFace::GetWidth() const
vcl/inc/PhysicalFontFace.hxx:78
void PhysicalFontFace::SetBitmapSize(int,int)
vcl/inc/PhysicalFontFamily.hxx:60
const class rtl::OUString & PhysicalFontFamily::GetAliasNames() const
vcl/inc/qt5/Qt5AccessibleWidget.hxx:41
void Qt5AccessibleWidget::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5AccessibleWidget.hxx:44
Qt5AccessibleWidget::Qt5AccessibleWidget(const class com::sun::star::uno::Reference<class com::sun::star::accessibility::XAccessible>,class QObject *)
vcl/inc/qt5/Qt5AccessibleWidget.hxx:77
class QAccessibleValueInterface * Qt5AccessibleWidget::valueInterface()
vcl/inc/qt5/Qt5AccessibleWidget.hxx:78
class QAccessibleTextInterface * Qt5AccessibleWidget::textInterface()
vcl/inc/qt5/Qt5AccessibleWidget.hxx:140
class com::sun::star::uno::Reference<class com::sun::star::accessibility::XAccessibleContext> Qt5AccessibleWidget::getAccessibleContextImpl() const
vcl/inc/qt5/Qt5Clipboard.hxx:36
void Qt5Clipboard::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Clipboard.hxx:53
_Bool Qt5Clipboard::isOwner(const enum QClipboard::Mode)
vcl/inc/qt5/Qt5Clipboard.hxx:54
_Bool Qt5Clipboard::isSupported(const enum QClipboard::Mode)
vcl/inc/qt5/Qt5Clipboard.hxx:56
Qt5Clipboard::Qt5Clipboard(const class rtl::OUString &,const enum QClipboard::Mode)
vcl/inc/qt5/Qt5Clipboard.hxx:59
void Qt5Clipboard::handleChanged(enum QClipboard::Mode)
vcl/inc/qt5/Qt5Clipboard.hxx:60
void Qt5Clipboard::handleClearClipboard()
vcl/inc/qt5/Qt5Clipboard.hxx:63
void Qt5Clipboard::clearClipboard()
vcl/inc/qt5/Qt5DragAndDrop.hxx:49
void Qt5DragSource::deinitialize()
vcl/inc/qt5/Qt5DragAndDrop.hxx:80
void Qt5DropTarget::deinitialize()
vcl/inc/qt5/Qt5FilePicker.hxx:58
void Qt5FilePicker::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5FilePicker.hxx:161
class QString Qt5FilePicker::getResString(const char *)
vcl/inc/qt5/Qt5FilePicker.hxx:162
class com::sun::star::uno::Any Qt5FilePicker::handleGetListValue(const class QComboBox *,short)
vcl/inc/qt5/Qt5FilePicker.hxx:163
void Qt5FilePicker::handleSetListValue(class QComboBox *,short,const class com::sun::star::uno::Any &)
vcl/inc/qt5/Qt5FilePicker.hxx:168
void Qt5FilePicker::filterSelected(const class QString &)
vcl/inc/qt5/Qt5FilePicker.hxx:170
void Qt5FilePicker::currentChanged(const class QString &)
vcl/inc/qt5/Qt5FontFace.hxx:38
class Qt5FontFace * Qt5FontFace::fromQFont(const class QFont &)
vcl/inc/qt5/Qt5FontFace.hxx:49
int Qt5FontFace::GetFontTable(const char *,unsigned char *) const
vcl/inc/qt5/Qt5FontFace.hxx:53
_Bool Qt5FontFace::HasChar(unsigned int) const
vcl/inc/qt5/Qt5Frame.hxx:69
void Qt5Frame::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Frame.hxx:110
void Qt5Frame::SetDefaultPos()
vcl/inc/qt5/Qt5Frame.hxx:111
class Size Qt5Frame::CalcDefaultSize()
vcl/inc/qt5/Qt5Frame.hxx:112
void Qt5Frame::SetDefaultSize()
vcl/inc/qt5/Qt5Frame.hxx:114
_Bool Qt5Frame::isChild(_Bool,_Bool) const
vcl/inc/qt5/Qt5Frame.hxx:124
_Bool Qt5Frame::isWindow() const
vcl/inc/qt5/Qt5Frame.hxx:125
class QWindow * Qt5Frame::windowHandle() const
vcl/inc/qt5/Qt5Frame.hxx:126
class QScreen * Qt5Frame::screen() const
vcl/inc/qt5/Qt5Frame.hxx:127
_Bool Qt5Frame::isMinimized() const
vcl/inc/qt5/Qt5Frame.hxx:128
_Bool Qt5Frame::isMaximized() const
vcl/inc/qt5/Qt5Frame.hxx:129
void Qt5Frame::SetWindowStateImpl(class QFlags<enum Qt::WindowState>)
vcl/inc/qt5/Qt5Frame.hxx:131
void Qt5Frame::fixICCCMwindowGroup()
vcl/inc/qt5/Qt5Frame.hxx:142
void Qt5Frame::Damage(int,int,int,int) const
vcl/inc/qt5/Qt5Frame.hxx:156
void Qt5Frame::deregisterDragSource(const class Qt5DragSource *)
vcl/inc/qt5/Qt5Frame.hxx:158
void Qt5Frame::deregisterDropTarget(const class Qt5DropTarget *)
vcl/inc/qt5/Qt5Graphics.hxx:175
void Qt5Graphics::drawScaledImage(const struct SalTwoRect &,const class QImage &)
vcl/inc/qt5/Qt5Graphics_Controls.hxx:96
class QPoint Qt5Graphics_Controls::upscale(const class QPoint &,enum Qt5Graphics_Controls::Round)
vcl/inc/qt5/Qt5Instance.hxx:54
void Qt5Instance::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Instance.hxx:70
void Qt5Instance::LinkStubupdateStyleHdl(void *,class Timer *)
vcl/inc/qt5/Qt5Instance.hxx:70
void Qt5Instance::updateStyleHdl(class Timer *)
vcl/inc/qt5/Qt5Instance.hxx:74
_Bool Qt5Instance::ImplYield(_Bool,_Bool)
vcl/inc/qt5/Qt5Instance.hxx:75
void Qt5Instance::deleteObjectLater(class QObject *)
vcl/inc/qt5/Qt5Instance.hxx:76
void Qt5Instance::localeChanged()
vcl/inc/qt5/Qt5Instance.hxx:79
_Bool Qt5Instance::ImplYieldSignal(_Bool,_Bool)
vcl/inc/qt5/Qt5Instance.hxx:80
void Qt5Instance::deleteObjectLaterSignal(class QObject *)
vcl/inc/qt5/Qt5MainWindow.hxx:29
void Qt5MainWindow::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Menu.hxx:40
void Qt5Menu::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Menu.hxx:55
void Qt5Menu::DoFullMenuUpdate(class Menu *)
vcl/inc/qt5/Qt5Menu.hxx:56
void Qt5Menu::NativeItemText(class rtl::OUString &)
vcl/inc/qt5/Qt5Menu.hxx:58
void Qt5Menu::InsertMenuItem(class Qt5MenuItem *,unsigned int)
vcl/inc/qt5/Qt5Menu.hxx:60
void Qt5Menu::ReinitializeActionGroup(unsigned int)
vcl/inc/qt5/Qt5Menu.hxx:61
void Qt5Menu::ResetAllActionGroups()
vcl/inc/qt5/Qt5Menu.hxx:62
void Qt5Menu::UpdateActionGroupItem(const class Qt5MenuItem *)
vcl/inc/qt5/Qt5Menu.hxx:73
const class Qt5Frame * Qt5Menu::GetFrame() const
vcl/inc/qt5/Qt5Menu.hxx:77
class Qt5Menu * Qt5Menu::GetTopLevel()
vcl/inc/qt5/Qt5Menu.hxx:92
class Menu * Qt5Menu::GetMenu()
vcl/inc/qt5/Qt5Menu.hxx:93
unsigned int Qt5Menu::GetItemCount() const
vcl/inc/qt5/Qt5Menu.hxx:94
class Qt5MenuItem * Qt5Menu::GetItemAtPos(unsigned int)
vcl/inc/qt5/Qt5Menu.hxx:97
void Qt5Menu::slotMenuTriggered(class Qt5MenuItem *)
vcl/inc/qt5/Qt5Menu.hxx:98
void Qt5Menu::slotMenuAboutToShow(class Qt5MenuItem *)
vcl/inc/qt5/Qt5Menu.hxx:99
void Qt5Menu::slotMenuAboutToHide(class Qt5MenuItem *)
vcl/inc/qt5/Qt5Menu.hxx:100
void Qt5Menu::slotCloseDocument()
vcl/inc/qt5/Qt5Menu.hxx:108
class QAction * Qt5MenuItem::getAction() const
vcl/inc/qt5/Qt5Object.hxx:34
void Qt5Object::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Object.hxx:46
class Qt5Frame * Qt5Object::frame() const
vcl/inc/qt5/Qt5Object.hxx:47
class QWidget * Qt5Object::widget() const
vcl/inc/qt5/Qt5Object.hxx:78
Qt5ObjectWindow::Qt5ObjectWindow(class Qt5Object &)
vcl/inc/qt5/Qt5Painter.hxx:61
void Qt5Painter::update()
vcl/inc/qt5/Qt5Timer.hxx:27
void Qt5Timer::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Timer.hxx:32
void Qt5Timer::timeoutActivated()
vcl/inc/qt5/Qt5Timer.hxx:33
void Qt5Timer::startTimer(int)
vcl/inc/qt5/Qt5Timer.hxx:34
void Qt5Timer::stopTimer()
vcl/inc/qt5/Qt5Timer.hxx:37
void Qt5Timer::startTimerSignal(int)
vcl/inc/qt5/Qt5Timer.hxx:38
void Qt5Timer::stopTimerSignal()
vcl/inc/qt5/Qt5Tools.hxx:58
class QRect toQRect(const class tools::Rectangle &,const double)
vcl/inc/qt5/Qt5Widget.hxx:35
void Qt5Widget::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/qt5/Qt5Widget.hxx:48
void Qt5Widget::commitText(class Qt5Frame &,const class QString &)
vcl/inc/qt5/Qt5Widget.hxx:51
void Qt5Widget::fillSalAbstractMouseEvent(const class Qt5Frame &,const class QInputEvent *,const class QPoint &,class QFlags<enum Qt::MouseButton>,int,struct SalAbstractMouseEvent &)
vcl/inc/qt5/Qt5XAccessible.hxx:27
void Qt5XAccessible::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
vcl/inc/regionband.hxx:27
const char * ImplDbgTestRegionBand(const void *)
vcl/inc/salgdi.hxx:665
void SalGraphics::FillFontSubsetInfo(const struct vcl::TTGlobalFontInfo_ &,const class rtl::OUString &,class FontSubsetInfo &)
vcl/inc/salmenu.hxx:46
SalMenuButtonItem::SalMenuButtonItem()
vcl/inc/salobj.hxx:73
_Bool SalObject::IsEraseBackgroundEnabled() const
vcl/inc/saltimer.hxx:69
VersionedEvent::VersionedEvent()
vcl/inc/saltimer.hxx:71
int VersionedEvent::GetNextEventVersion()
vcl/inc/saltimer.hxx:90
_Bool VersionedEvent::ExistsValidEvent() const
vcl/inc/saltimer.hxx:95
_Bool VersionedEvent::IsValidEventVersion(const int) const
vcl/inc/salwtype.hxx:129
SalMenuEvent::SalMenuEvent()
vcl/inc/schedulerimpl.hxx:49
const char * ImplSchedulerData::GetDebugName() const
vcl/inc/skia/gdiimpl.hxx:52
const class vcl::Region & SkiaSalGraphicsImpl::getClipRegion() const
vcl/inc/skia/gdiimpl.hxx:207
void SkiaSalGraphicsImpl::dump(const char *) const
vcl/inc/skia/salbmp.hxx:91
void SkiaSalBitmap::dump(const char *) const
vcl/inc/skia/utils.hxx:52
class sk_sp<class SkSurface> SkiaHelper::createSkSurface(int,int,enum SkAlphaType)
vcl/inc/skia/utils.hxx:80
void SkiaHelper::removeCachedImage(class sk_sp<class SkImage>)
vcl/inc/skia/utils.hxx:86
void SkiaHelper::setPixelGeometry(enum SkPixelGeometry)
vcl/inc/skia/utils.hxx:149
void SkiaHelper::dump(const class SkBitmap &,const char *)
vcl/inc/skia/zone.hxx:25
void SkiaZone::relaxWatchdogTimings()
vcl/inc/unx/fontmanager.hxx:175
void psp::PrintFontManager::fillPrintFontInfo(struct psp::PrintFontManager::PrintFont &,struct psp::PrintFontInfo &) const
vcl/inc/unx/gtk/gtkframe.hxx:297
void GtkSalFrame::DrawingAreaFocusInOut(enum SalEvent)
vcl/inc/unx/gtk/gtkframe.hxx:314
_Bool GtkSalFrame::DrawingAreaKey(enum SalEvent,unsigned int,unsigned int,unsigned int,unsigned int)
vcl/inc/unx/printergfx.hxx:94
_Bool psp::PrinterColor::operator!=(const class psp::PrinterColor &) const
vcl/inc/unx/saldisp.hxx:376
class SalXLib * SalDisplay::GetXLib() const
vcl/inc/unx/salframe.h:185
enum SalFrameStyleFlags X11SalFrame::GetStyle() const
vcl/qa/cppunit/lifecycle.cxx:197
(anonymous namespace)::LeakTestClass::LeakTestClass(_Bool &,type-parameter-?-? &&...)
vcl/skia/salbmp.cxx:622
void ::operator()(void *,void *) const
vcl/source/app/scheduler.cxx:83
basic_ostream<type-parameter-?-?, type-parameter-?-?> & (anonymous namespace)::operator<<(basic_ostream<type-parameter-?-?, type-parameter-?-?> &,const class Idle &)
vcl/source/bitmap/BitmapColorQuantizationFilter.cxx:105
int ::operator()(const void *,const void *) const
vcl/source/edit/textdat2.hxx:86
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const class TETextPortion *, class std::__cxx1998::vector<class TETextPortion, class std::allocator<class TETextPortion> > >, class std::__debug::vector<class TETextPortion, class std::allocator<class TETextPortion> >, struct std::random_access_iterator_tag> TETextPortionList::begin() const
vcl/source/edit/textdat2.hxx:88
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const class TETextPortion *, class std::__cxx1998::vector<class TETextPortion, class std::allocator<class TETextPortion> > >, class std::__debug::vector<class TETextPortion, class std::allocator<class TETextPortion> >, struct std::random_access_iterator_tag> TETextPortionList::end() const
vcl/source/filter/FilterConfigCache.hxx:71
class rtl::OUString FilterConfigCache::GetImportFormatMediaType(unsigned short)
vcl/source/fontsubset/xlat.hxx:31
unsigned short vcl::TranslateChar12(unsigned short)
vcl/source/fontsubset/xlat.hxx:32
unsigned short vcl::TranslateChar13(unsigned short)
vcl/source/fontsubset/xlat.hxx:33
unsigned short vcl::TranslateChar14(unsigned short)
vcl/source/fontsubset/xlat.hxx:34
unsigned short vcl::TranslateChar15(unsigned short)
vcl/source/fontsubset/xlat.hxx:35
unsigned short vcl::TranslateChar16(unsigned short)
vcl/source/window/menuitemlist.hxx:122
void MenuItemList::Clear()
vcl/unx/gtk3/customcellrenderer.hxx:29
int CUSTOM_IS_CELL_RENDERER(void *)
vcl/unx/gtk3/customcellrenderer.hxx:29
struct _CustomCellRenderer * CUSTOM_CELL_RENDERER(void *)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_autoptr_cleanup_CustomCellRenderer(struct _CustomCellRenderer **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_autoptr_cleanup_CustomCellRendererClass(CustomCellRendererClass **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_listautoptr_cleanup_CustomCellRenderer(struct _GList **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_listautoptr_cleanup_CustomCellRendererClass(struct _GList **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_queueautoptr_cleanup_CustomCellRenderer(struct _GQueue **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_queueautoptr_cleanup_CustomCellRendererClass(struct _GQueue **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_slistautoptr_cleanup_CustomCellRenderer(struct _GSList **)
vcl/unx/gtk3/customcellrenderer.hxx:29
void glib_slistautoptr_cleanup_CustomCellRendererClass(struct _GSList **)
vcl/unx/gtk3/gloactiongroup.cxx:51
void * g_lo_action_get_instance_private(struct (anonymous namespace)::GLOAction *)
vcl/unx/gtk3/glomenu.cxx:30
void * g_lo_menu_get_instance_private(struct GLOMenu *)
vcl/unx/kf5/KF5FilePicker.hxx:29
void KF5FilePicker::qt_static_metacall(class QObject *,enum QMetaObject::Call,int,void **)
writerfilter/source/dmapper/SettingsTable.hxx:81
const class rtl::OUString & writerfilter::dmapper::SettingsTable::GetDecimalSymbol() const
writerfilter/source/ooxml/OOXMLPropertySet.hxx:183
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> *, class std::__cxx1998::vector<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty>, class std::allocator<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> > > >, class std::__debug::vector<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty>, class std::allocator<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> > >, struct std::random_access_iterator_tag> writerfilter::ooxml::OOXMLPropertySet::begin() const
writerfilter/source/ooxml/OOXMLPropertySet.hxx:184
class __gnu_debug::_Safe_iterator<class __gnu_cxx::__normal_iterator<const class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> *, class std::__cxx1998::vector<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty>, class std::allocator<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> > > >, class std::__debug::vector<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty>, class std::allocator<class tools::SvRef<class writerfilter::ooxml::OOXMLProperty> > >, struct std::random_access_iterator_tag> writerfilter::ooxml::OOXMLPropertySet::end() const
writerfilter/source/ooxml/OOXMLPropertySet.hxx:187
class std::__cxx11::basic_string<char, struct std::char_traits<char>, class std::allocator<char> > writerfilter::ooxml::OOXMLPropertySet::toString()
xmlsecurity/source/gpg/XMLEncryption.hxx:24
XMLEncryptionGpg::XMLEncryptionGpg()
xmlsecurity/source/xmlsec/nss/nssinitializer.hxx:45
ONSSInitializer::ONSSInitializer(const class com::sun::star::uno::Reference<class com::sun::star::uno::XComponentContext> &)
|